diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index afb3553..c108642 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -300,7 +300,7 @@ jobs: --resource volumes_presented \ --method describeVolumes \ --parameters '{ "region": "ap-southeast-2" }' \ - | jq -r '.line_items[].volumeId')" + | jq -r '.line_items[].volume_id')" matchingVolumes="$(echo "${volumeIDs}" | grep "vol-00100000000000000" )" if [ "${matchingVolumes}" = "" ]; then echo "Mocked CLI HTTP templated Test Failed with no matching buckets" @@ -336,6 +336,9 @@ jobs: openssl req -x509 -keyout ${{ github.workspace }}/test/credentials/pg_rubbish_key.pem -out ${{ github.workspace }}/test/credentials/pg_rubbish_cert.pem -config ${{ github.workspace }}/stackql-core/test/server/mtls/openssl.cnf -days 365 - name: Run mocked robot tests + env: + AWS_ACCESS_KEY_ID: dummy + AWS_SECRET_ACCESS_KEY: dummy run: | export PYTHONPATH="${PYTHONPATH}:${{ github.workspace }}/test/python" robot -d test/robot/reports/mocked test/robot/cli/mocked diff --git a/.vscode/launch.json b/.vscode/launch.json index e3184e7..e281094 100644 --- a/.vscode/launch.json +++ b/.vscode/launch.json @@ -93,6 +93,44 @@ "{ \"region\": \"ap-southeast-2\", \"Bucket\": \"stackql-trial-bucket-02\", \"Status\": \"Disabled\", \"line_items\": [ { \"attribute_name\": \"stackql:createdBy\", \"attribute_value\": \"stackql-user\", \"attribute_value_type\": \"string\" } ] }" ] }, + { + "type": "go", + "request": "launch", + "name": "CLI aws form out xml back: ec2 describe volumes", + "mode": "auto", + "program": "${workspaceFolder}/cmd/interrogate", + "envFile": "${workspaceFolder}/.vscode/.env", + "args": [ + "query", + "--svc-file-path=${workspaceFolder}/test/registry-simple/src/aws/v0.1.0/services/ec2.yaml", + "--prov-file-path=${workspaceFolder}/test/registry-simple/src/aws/v0.1.0/provider.yaml", + "--resource", + "volumes_post_naively_presented", + "--method", + "describeVolumes", + "--parameters", + "{ \"region\": \"ap-southeast-2\" }" + ] + }, + { + "type": "go", + "request": "launch", + "name": "CLI aws form out xml back: ec2 describe volumes", + "mode": "auto", + "program": "${workspaceFolder}/cmd/interrogate", + "envFile": "${workspaceFolder}/.vscode/.env", + "args": [ + "query", + "--svc-file-path=${workspaceFolder}/../stackql-provider-registry/providers/src/aws/v00.00.00000/services/ec2_native_updated.yaml", + "--prov-file-path=${workspaceFolder}/../stackql-provider-registry/providers/src/aws/v00.00.00000/provider.yaml", + "--resource", + "vpcs", + "--method", + "DescribeVpcs", + "--parameters", + "{ \"region\": \"ap-southeast-2\" }" + ] + }, { "type": "go", "request": "launch", diff --git a/anysdk/http_armoury_params.go b/anysdk/http_armoury_params.go index 64bdff5..665d01e 100644 --- a/anysdk/http_armoury_params.go +++ b/anysdk/http_armoury_params.go @@ -135,11 +135,17 @@ func (hap *standardHTTPArmouryParameters) SetNextPage( tokenName := tokenKey.GetName() bm[tokenName] = token er, _ := ops.GetRequest() - b, err := ops.MarshalBody(bm, er) - if err != nil { - return nil, err + marshalledBody := ops.MarshalBody(bm, er) + b := marshalledBody.GetBytes() + marshallErr, hasMarshallErr := marshalledBody.GetError() + + if hasMarshallErr { + return nil, marshallErr + } + + if len(b) > 0 { + rv.Body = io.NopCloser(bytes.NewBuffer(b)) } - rv.Body = io.NopCloser(bytes.NewBuffer(b)) rv.ContentLength = int64(len(b)) return rv, nil default: diff --git a/anysdk/operation_store.go b/anysdk/operation_store.go index 63434fc..1933a21 100644 --- a/anysdk/operation_store.go +++ b/anysdk/operation_store.go @@ -15,6 +15,7 @@ import ( "github.com/getkin/kin-openapi/openapi3" "github.com/getkin/kin-openapi/openapi3filter" + "github.com/stackql/any-sdk/pkg/dto" "github.com/stackql/any-sdk/pkg/fuzzymatch" "github.com/stackql/any-sdk/pkg/media" "github.com/stackql/any-sdk/pkg/parametertranslate" @@ -95,7 +96,7 @@ type OperationStore interface { GetParameter(paramKey string) (Addressable, bool) GetUnionRequiredParameters() (map[string]Addressable, error) GetPaginationResponseTokenSemantic() (TokenSemantic, bool) - MarshalBody(body interface{}, expectedRequest ExpectedRequest) ([]byte, error) + MarshalBody(body interface{}, expectedRequest ExpectedRequest) dto.MarshalledBody GetRequestBodySchema() (Schema, error) GetNonBodyParameters() map[string]Addressable GetRequestBodyAttributesNoRename() (map[string]Addressable, error) @@ -1322,14 +1323,15 @@ func selectServer(servers openapi3.Servers, inputParams map[string]interface{}) func (op *standardOpenAPIOperationStore) acceptPathParam(mutableParamMap map[string]interface{}) {} -func (op *standardOpenAPIOperationStore) MarshalBody(body interface{}, expectedRequest ExpectedRequest) ([]byte, error) { +func (op *standardOpenAPIOperationStore) MarshalBody(body interface{}, expectedRequest ExpectedRequest) dto.MarshalledBody { return op.marshalBody(body, expectedRequest) } -func (op *standardOpenAPIOperationStore) marshalBody(body interface{}, expectedRequest ExpectedRequest) ([]byte, error) { +func (op *standardOpenAPIOperationStore) marshalBody(body interface{}, expectedRequest ExpectedRequest) dto.MarshalledBody { _, isTransform := expectedRequest.GetTransform() if isTransform { - return op.transformRequestBodyMap(body.(map[string]interface{})) + b, err := op.transformRequestBodyMap(body.(map[string]interface{})) + return dto.NewMarshalledBody(b, err) } mediaType := expectedRequest.GetBodyMediaType() if expectedRequest.GetSchema() != nil { @@ -1337,17 +1339,19 @@ func (op *standardOpenAPIOperationStore) marshalBody(body interface{}, expectedR } switch mediaType { case media.MediaTypeJson: - return json.Marshal(body) + b, err := json.Marshal(body) + return dto.NewMarshalledBody(b, err) case media.MediaTypeXML, media.MediaTypeTextXML: - return xmlmap.MarshalXMLUserInput( + b, err := xmlmap.MarshalXMLUserInput( body, expectedRequest.GetFinalSchema().GetXMLALiasOrName(), op.getXMLTransform(), op.getXMLDeclaration(), op.getXMLRootAnnotation(), ) + return dto.NewMarshalledBody(b, err) } - return nil, fmt.Errorf("media type = '%s' not supported", expectedRequest.GetBodyMediaType()) + return dto.NewMarshalledBody(nil, fmt.Errorf("media type = '%s' not supported", expectedRequest.GetBodyMediaType())) } func (op *standardOpenAPIOperationStore) parameterize(prov Provider, parentDoc Service, inputParams HttpParameters, requestBody interface{}) (*openapi3filter.RequestValidationInput, error) { @@ -1436,16 +1440,21 @@ func (op *standardOpenAPIOperationStore) parameterize(prov Provider, parentDoc S } contentTypeHeaderRequired := false var bodyReader io.Reader - predOne := !util.IsNil(requestBody) + // predOne := !util.IsNil(requestBody) predTwo := !util.IsNil(op.Request) - if predOne && predTwo { + if predTwo { // TODO: transform - b, err := op.marshalBody(requestBody, op.Request) - if err != nil { - return nil, err + marshalledBody := op.marshalBody(requestBody, op.Request) + b := marshalledBody.GetBytes() + marshalledBodyErr, hassError := marshalledBody.GetError() + if hassError { + return nil, marshalledBodyErr + } + if len(b) > 0 { + bodyReader = bytes.NewReader(b) + contentTypeHeaderRequired = true } - bodyReader = bytes.NewReader(b) - contentTypeHeaderRequired = true + } // TODO: clean up sv = strings.TrimSuffix(sv, "/") @@ -1641,10 +1650,13 @@ func (op *standardOpenAPIOperationStore) transformRequestBodyMap(input map[strin } func (op *standardOpenAPIOperationStore) transformRequestBodyBytes(input []byte) ([]byte, error) { + var inputStr string = "" + if len(input) > 0 { + inputStr = string(input) + } if op.Request != nil { requestTransform, requestTransformExists := op.Request.GetTransform() if requestTransformExists { - inputStr := string(input) streamTransformerFactory := stream_transform.NewStreamTransformerFactory( requestTransform.GetType(), requestTransform.GetBody(), diff --git a/anysdk/operation_store_test.go b/anysdk/operation_store_test.go index 26ef265..4d68cd8 100644 --- a/anysdk/operation_store_test.go +++ b/anysdk/operation_store_test.go @@ -563,10 +563,12 @@ func TestXMLRequestBody(t *testing.T) { "ChangeBatch": sqlRequestString, } - processed, err := ops.MarshalBody(requestBodyMap, expectedRequest) + marshalledBody := ops.MarshalBody(requestBodyMap, expectedRequest) + processed := marshalledBody.GetBytes() + marshallErr, hasMarshallErr := marshalledBody.GetError() - if err != nil { - t.Fatalf("Test failed: %v", err) + if hasMarshallErr { + t.Fatalf("Test failed: %v", marshallErr) } expectedMatureBody := "CREATEmy.domain.comA90010.10.10.10" @@ -610,10 +612,12 @@ func TestJSONRequestBody(t *testing.T) { "name": "my-test-bucket", } - processed, err := ops.MarshalBody(requestBodyMap, expectedRequest) + marshalledBody := ops.MarshalBody(requestBodyMap, expectedRequest) + processed := marshalledBody.GetBytes() + marshallErr, hasMarshallErr := marshalledBody.GetError() - if err != nil { - t.Fatalf("Test failed: %v", err) + if hasMarshallErr { + t.Fatalf("Test failed: %v", marshallErr) } expectedMatureBody := `{"name":"my-test-bucket"}` diff --git a/cicd/tools/api/exported_funcs.txt b/cicd/tools/api/exported_funcs.txt index 7b42784..5e64e6f 100644 --- a/cicd/tools/api/exported_funcs.txt +++ b/cicd/tools/api/exported_funcs.txt @@ -105,6 +105,7 @@ func NewHttpPreparatorStream func NewInterrogator func NewJSONPathResolver func NewLocalTemplateExecutor +func NewMarshalledBody func NewMethodAnalysisInput func NewMethodAnalyzer func NewNaiveBodyTranslator diff --git a/cicd/tools/api/exported_interfaces.txt b/cicd/tools/api/exported_interfaces.txt index ae7e158..1a18d04 100644 --- a/cicd/tools/api/exported_interfaces.txt +++ b/cicd/tools/api/exported_interfaces.txt @@ -58,6 +58,7 @@ type MapReader interface type MapStream interface type MapStreamCollection interface type MapWriter interface +type MarshalledBody interface type MethodAggregateStaticAnalyzer interface type MethodAnalysisInput interface type MethodAnalysisOutput interface diff --git a/docs/cli.md b/docs/cli.md index ecb6da2..46637b0 100644 --- a/docs/cli.md +++ b/docs/cli.md @@ -123,6 +123,20 @@ build/anysdk query \ ``` +EC2 cod dev: + +```bash + +build/anysdk query \ + --svc-file-path="test/registry-simple/src/aws/v0.1.0/services/ec2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry-simple/src/aws/v0.1.0/provider.yaml" \ + --resource volumes_presented \ + --method describeVolumes \ + --parameters '{ "region": "ap-southeast-2" }' + +``` + S3 one of the great challenges: diff --git a/docs/development_of_ec2_and_s3.md b/docs/development_of_ec2_and_s3.md new file mode 100644 index 0000000..b98a656 --- /dev/null +++ b/docs/development_of_ec2_and_s3.md @@ -0,0 +1,110 @@ + + +## s3 + +S3 calls: + + +```bash + +build/anysdk query \ + --svc-file-path="test/registry-simple/src/aws/v0.1.0/services/s3.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry-simple/src/aws/v0.1.0/provider.yaml" \ + --resource bucket_abac \ + --method get_bucket_abac \ + --parameters '{ "region": "ap-southeast-1", "Bucket": "stackql-trial-bucket-01" }' + + +build/anysdk query \ + --svc-file-path="test/registry/src/aws/v0.1.0/services/s3.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry/src/aws/v0.1.0/provider.yaml" \ + --resource bucket_abac \ + --method put_bucket_abac \ + --parameters '{ "region": "ap-southeast-1", "Bucket": "stackql-trial-bucket-01", "Status": "Enabled" }' + +build/anysdk query \ + --svc-file-path="test/registry/src/aws/v0.1.0/services/s3.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry/src/aws/v0.1.0/provider.yaml" \ + --resource bucket_abac \ + --method get_bucket_abac \ + --parameters '{ "region": "ap-southeast-1", "Bucket": "stackql-trial-bucket-01" }' + + +## BLEEDING EDGE +build/anysdk query \ + --svc-file-path="$HOME/stackql/stackql-provider-registry/providers/src/aws/v00.00.00000/services/ec2_native_updated_v2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="$HOME/stackql/stackql-provider-registry/providers/src/aws/v00.00.00000/provider.yaml" \ + --resource vpcs \ + --method describe \ + --parameters '{ "region": "ap-southeast-2" }' + +build/anysdk query \ + --svc-file-path="$HOME/stackql/stackql-provider-registry/providers/src/aws/v00.00.00000/services/ec2_native_updated_v2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="$HOME/stackql/stackql-provider-registry/providers/src/aws/v00.00.00000/provider.yaml" \ + --resource subnets \ + --method describe \ + --parameters '{ "region": "ap-southeast-2" }' + +``` + +## ec2 + + +ec2 calls: + + +```bash + +build/anysdk query \ + --svc-file-path="test/registry-simple/src/aws/v0.1.0/services/ec2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry-simple/src/aws/v0.1.0/provider.yaml" \ + --resource volumes_naively_presented \ + --method describeVolumes \ + --parameters '{ "region": "ap-southeast-2" }' + + +build/anysdk query \ + --svc-file-path="test/registry-simple/src/aws/v0.1.0/services/ec2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry-simple/src/aws/v0.1.0/provider.yaml" \ + --resource volumes_post_naively_presented \ + --method describeVolumes \ + --parameters '{ "region": "ap-southeast-2" }' + +``` + +Regression tests: + +```bash + +build/anysdk query \ + --svc-file-path="test/registry/src/aws/v0.1.0/services/ec2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry/src/aws/v0.1.0/provider.yaml" \ + --resource volumes_presented \ + --method describeVolumes \ + --parameters '{ "region": "ap-southeast-2" }' | jq -r '.line_items[].volume_id' + +build/anysdk query \ + --svc-file-path="test/registry/src/aws/v0.1.0/services/ec2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry/src/aws/v0.1.0/provider.yaml" \ + --resource volumes_post_naively_presented \ + --method describeVolumes \ + --parameters '{ "region": "ap-southeast-2" }' + +build/anysdk query \ + --svc-file-path="test/registry-mocked/src/aws/v0.1.0/services/ec2.yaml" \ + --tls.allowInsecure \ + --prov-file-path="test/registry-mocked/src/aws/v0.1.0/provider.yaml" \ + --resource volumes_post_naively_presented \ + --method describeVolumes \ + --parameters '{ "region": "ap-southeast-2" }' + +``` \ No newline at end of file diff --git a/go.mod b/go.mod index 0bc7fba..dfa6216 100644 --- a/go.mod +++ b/go.mod @@ -30,6 +30,7 @@ require ( github.com/stretchr/testify v1.10.0 github.com/xo/dburl v0.23.2 golang.org/x/exp v0.0.0-20240909161429-701f63a606c0 + golang.org/x/mod v0.22.0 golang.org/x/oauth2 v0.26.0 gopkg.in/yaml.v2 v2.4.0 gopkg.in/yaml.v3 v3.0.1 @@ -107,7 +108,6 @@ require ( go.opentelemetry.io/otel v1.35.0 // indirect go.opentelemetry.io/otel/trace v1.35.0 // indirect golang.org/x/crypto v0.32.0 // indirect - golang.org/x/mod v0.22.0 // indirect golang.org/x/net v0.34.0 // indirect golang.org/x/sync v0.10.0 // indirect golang.org/x/sys v0.30.0 // indirect diff --git a/pkg/dto/marshalled_body.go b/pkg/dto/marshalled_body.go new file mode 100644 index 0000000..2495579 --- /dev/null +++ b/pkg/dto/marshalled_body.go @@ -0,0 +1,26 @@ +package dto + +type MarshalledBody interface { + GetBytes() []byte + GetError() (error, bool) +} + +type standardMarshalledBody struct { + bytes []byte + err error +} + +func NewMarshalledBody(b []byte, e error) MarshalledBody { + return &standardMarshalledBody{ + bytes: b, + err: e, + } +} + +func (mb *standardMarshalledBody) GetBytes() []byte { + return mb.bytes +} + +func (mb *standardMarshalledBody) GetError() (error, bool) { + return mb.err, mb.err != nil +} diff --git a/pkg/stream_transform/stream_transform_test.go b/pkg/stream_transform/stream_transform_test.go index 0abd5b2..e7b26a4 100644 --- a/pkg/stream_transform/stream_transform_test.go +++ b/pkg/stream_transform/stream_transform_test.go @@ -464,7 +464,7 @@ func TestOpensslCertTextStreamTransform(t *testing.T) { {{- $notBefore := getRegexpFirstMatch $root "Not Before: (.*)" -}} {{- $notAfter := getRegexpFirstMatch $root "Not After(?:[ ]*): (.*)" -}} { "type": "x509", "public_key_algorithm": "{{ $pubKeyAlgo }}", "not_before": "{{ $notBefore }}", "not_after": "{{ $notAfter }}"}` - tfmFactory := NewStreamTransformerFactory(GolangTemplateTextV1, tmpl) + tfmFactory := NewStreamTransformerFactory(GolangTemplateTextV3, tmpl) if !tfmFactory.IsTransformable() { t.Fatalf("failed to create transformer factory: is not transformable") } diff --git a/pkg/stream_transform/template_stream_transform.go b/pkg/stream_transform/template_stream_transform.go index 1321f73..bc447f5 100644 --- a/pkg/stream_transform/template_stream_transform.go +++ b/pkg/stream_transform/template_stream_transform.go @@ -5,6 +5,7 @@ import ( "encoding/json" "fmt" "io" + "reflect" "regexp" "text/template" @@ -19,9 +20,13 @@ var ( const ( GolangTemplateXMLV1 = "golang_template_mxj_v0.1.0" GolangTemplateXMLV2 = "golang_template_mxj_v0.2.0" + GolangTemplateXMLV3 = "golang_template_mxj_v0.3.0" GolangTemplateJSONV1 = "golang_template_json_v0.1.0" + GolangTemplateJSONV3 = "golang_template_json_v0.3.0" GolangTemplateTextV1 = "golang_template_text_v0.1.0" + GolangTemplateTextV3 = "golang_template_text_v0.3.0" GolangTemplateUnspecifiedV1 = "golang_template_v0.1.0" + GolangTemplateUnspecifiedV3 = "golang_template_v0.3.0" ) type StreamTransformerFactory interface { @@ -43,13 +48,13 @@ func NewStreamTransformerFactory(tplType string, tplStr string) StreamTransforme func (stf *streamTransformerFactory) IsTransformable() bool { switch stf.tplType { - case GolangTemplateXMLV1, GolangTemplateXMLV2: + case GolangTemplateXMLV1, GolangTemplateXMLV2, GolangTemplateXMLV3: return true - case GolangTemplateJSONV1: + case GolangTemplateJSONV1, GolangTemplateJSONV3: return true - case GolangTemplateTextV1: + case GolangTemplateTextV1, GolangTemplateTextV3: return true - case GolangTemplateUnspecifiedV1: + case GolangTemplateUnspecifiedV1, GolangTemplateUnspecifiedV3: return true default: return false @@ -58,17 +63,17 @@ func (stf *streamTransformerFactory) IsTransformable() bool { func (stf *streamTransformerFactory) GetTransformer(input string) (StreamTransformer, error) { switch stf.tplType { - case GolangTemplateXMLV1, GolangTemplateXMLV2: + case GolangTemplateXMLV1, GolangTemplateXMLV2, GolangTemplateXMLV3: inStream := newXMLBestEffortReader(bytes.NewBufferString(input)) outStream := bytes.NewBuffer(nil) tfm, err := newTemplateStreamTransformer(stf.tplType, stf.tplStr, inStream, outStream) return tfm, err - case GolangTemplateJSONV1: + case GolangTemplateJSONV1, GolangTemplateJSONV3: inStream := newJSONReader(bytes.NewBufferString(input)) outStream := bytes.NewBuffer(nil) tfm, err := newTemplateStreamTransformer(stf.tplType, stf.tplStr, inStream, outStream) return tfm, err - case GolangTemplateTextV1, GolangTemplateUnspecifiedV1: + case GolangTemplateTextV1, GolangTemplateTextV3, GolangTemplateUnspecifiedV1, GolangTemplateUnspecifiedV3: inStream := newTextReader(bytes.NewBufferString(input)) outStream := bytes.NewBuffer(nil) tfm, err := newTemplateStreamTransformer(stf.tplType, stf.tplStr, inStream, outStream) @@ -265,6 +270,10 @@ func newTemplateStreamTransformer( if semver.Compare(tmplSemVer, "v0.2.0") >= 0 { tmplFuncMap["toJson"] = toJson } + if semver.Compare(tmplSemVer, "v0.2.0") >= 0 { + tmplFuncMap["kindOf"] = kindOf + tmplFuncMap["plus1"] = plus1 + } tpl, tplErr := template.New("__stream_tfm__").Funcs(tmplFuncMap).Parse(tplStr) if tplErr != nil { return nil, tplErr @@ -279,6 +288,14 @@ func newTemplateStreamTransformer( }, nil } +func kindOf(x interface{}) string { + return reflect.ValueOf(x).Kind().String() +} + +func plus1(x int) int { + return x + 1 +} + func (tst *templateStreamTransfomer) GetOutStream() io.Reader { if tst.outStream == nil { return bytes.NewBuffer(nil) diff --git a/public/radix_tree_address_space/address_space.go b/public/radix_tree_address_space/address_space.go index b9aff3f..2eb66f1 100644 --- a/public/radix_tree_address_space/address_space.go +++ b/public/radix_tree_address_space/address_space.go @@ -2,23 +2,17 @@ package radix_tree_address_space import ( "bytes" - "encoding/json" "fmt" "io" "net/http" - "net/url" "sort" "strings" "github.com/getkin/kin-openapi/openapi3" - "github.com/getkin/kin-openapi/openapi3filter" "github.com/stackql/any-sdk/anysdk" "github.com/stackql/any-sdk/pkg/client" "github.com/stackql/any-sdk/pkg/media" - "github.com/stackql/any-sdk/pkg/queryrouter" "github.com/stackql/any-sdk/pkg/urltranslate" - "github.com/stackql/any-sdk/pkg/util" - "github.com/stackql/any-sdk/pkg/xmlmap" ) type pathType string @@ -345,27 +339,29 @@ func (ns *standardNamespace) Invoke(argList ...any) error { } // handle body reuestBodyMapVerbose := ns.shadowQuery.ToFlatMap("request.body") - reuestBodyMap := make(map[string]any) + requestBodyMap := make(map[string]any) requestContentType := ns.method.GetRequestBodyMediaTypeNormalised() for k, v := range reuestBodyMapVerbose { switch requestContentType { case media.MediaTypeJson, "": trimmedKey := strings.TrimPrefix(k, "$.") - reuestBodyMap[trimmedKey] = v + requestBodyMap[trimmedKey] = v case media.MediaTypeXML: trimmedKey := strings.TrimPrefix(k, "/") - reuestBodyMap[trimmedKey] = v + requestBodyMap[trimmedKey] = v default: return fmt.Errorf("unsupported request content type: %s", requestContentType) } } - if len(reuestBodyMap) > 0 { + if len(requestBodyMap) > 0 { expectedRequest, hasExpectedRequest := ns.method.GetRequest() if !hasExpectedRequest { return fmt.Errorf("no expected request found for method %s", ns.method.GetName()) } - bodyBytes, marshalErr := ns.method.MarshalBody(reuestBodyMap, expectedRequest) - if marshalErr != nil { + marshalledBody := ns.method.MarshalBody(requestBodyMap, expectedRequest) + bodyBytes := marshalledBody.GetBytes() + marshalErr, hasMarshalErr := marshalledBody.GetError() + if hasMarshalErr { return marshalErr } httpReq.Body = io.NopCloser(bytes.NewBuffer(bodyBytes)) @@ -1153,26 +1149,6 @@ func isOpenapi3ParamRequired(param *openapi3.Parameter) bool { return param.Required && !param.AllowEmptyValue } -func marshalBody(op anysdk.StandardOperationStore, body interface{}, expectedRequest anysdk.ExpectedRequest) ([]byte, error) { - mediaType := expectedRequest.GetBodyMediaType() - if expectedRequest.GetSchema() != nil { - mediaType = expectedRequest.GetSchema().ExtractMediaTypeSynonym(mediaType) - } - switch mediaType { - case media.MediaTypeJson: - return json.Marshal(body) - case media.MediaTypeXML, media.MediaTypeTextXML: - return xmlmap.MarshalXMLUserInput( - body, - expectedRequest.GetSchema().GetXMLALiasOrName(), - op.GetXMLTransform(), - op.GetXMLDeclaration(), - op.GetXMLRootAnnotation(), - ) - } - return nil, fmt.Errorf("media type = '%s' not supported", expectedRequest.GetBodyMediaType()) -} - func replaceSimpleStringVars(template string, vars map[string]string) string { args := make([]string, len(vars)*2) i := 0 @@ -1186,134 +1162,6 @@ func replaceSimpleStringVars(template string, vars map[string]string) string { return strings.NewReplacer(args...).Replace(template) } -func parameterizeFromAnalyzedInput(prov anysdk.Provider, parentDoc anysdk.Service, op anysdk.OperationStore, inputParams AnalyzedInput) (*openapi3filter.RequestValidationInput, error) { - - params := op.GetOperationRef().Value.Parameters - pathParams := make(map[string]string) - q := make(url.Values) - prefilledHeader := make(http.Header) - - queryParamsRemaining := inputParams.GetQueryParams() - for _, p := range params { - if p.Value == nil { - continue - } - name := p.Value.Name - - if p.Value.In == openapi3.ParameterInHeader { - val, present := inputParams.GetHeaderParam(p.Value.Name) - if present { - prefilledHeader.Set(name, fmt.Sprintf("%v", val)) - } else if p.Value != nil && p.Value.Schema != nil && p.Value.Schema.Value != nil && p.Value.Schema.Value.Default != nil { - prefilledHeader.Set(name, fmt.Sprintf("%v", p.Value.Schema.Value.Default)) - } else if isOpenapi3ParamRequired(p.Value) { - return nil, fmt.Errorf("standardOpenAPIOperationStore.parameterize() failure; missing required header '%s'", name) - } - } - if p.Value.In == openapi3.ParameterInPath { - val, present := inputParams.GetPathParam(p.Value.Name) - if present { - pathParams[name] = fmt.Sprintf("%v", val) - } - if !present && isOpenapi3ParamRequired(p.Value) { - return nil, fmt.Errorf("standardOpenAPIOperationStore.parameterize() failure; missing required path parameter '%s'", name) - } - } else if p.Value.In == openapi3.ParameterInQuery { - - pVal, present := queryParamsRemaining[p.Value.Name] - if present { - switch val := pVal.(type) { - case []interface{}: - for _, v := range val { - q.Add(name, fmt.Sprintf("%v", v)) - } - default: - q.Set(name, fmt.Sprintf("%v", val)) - } - delete(queryParamsRemaining, name) - } - } - } - for k, v := range queryParamsRemaining { - q.Set(k, fmt.Sprintf("%v", v)) - delete(queryParamsRemaining, k) - } - openapiSvc := op.GetService() - router, err := queryrouter.NewRouter(openapiSvc.GetT()) - if err != nil { - return nil, err - } - servers, _ := op.GetServers() - serverParams := inputParams.GetServerVars() - if err != nil { - return nil, err - } - sv, err := selectServer(servers, serverParams) - if err != nil { - return nil, err - } - contentTypeHeaderRequired := false - var bodyReader io.Reader - - requestBody := inputParams.GetRequestBody() - - expectedRequest, hasExpectedRequest := op.GetRequest() - - predOne := !util.IsNil(requestBody) - predTwo := hasExpectedRequest && !util.IsNil(expectedRequest) - if predOne && predTwo { - stdOp, isStdOp := op.(anysdk.StandardOperationStore) - if !isStdOp { - return nil, fmt.Errorf("expected standard operation store") - } - b, err := marshalBody(stdOp, requestBody, expectedRequest) - if err != nil { - return nil, err - } - bodyReader = bytes.NewReader(b) - contentTypeHeaderRequired = true - } - // TODO: clean up - sv = strings.TrimSuffix(sv, "/") - path := replaceSimpleStringVars(fmt.Sprintf("%s%s", sv, op.GetOperationRef().ExtractPathItem()), pathParams) - u, err := url.Parse(fmt.Sprintf("%s?%s", path, q.Encode())) - if strings.Contains(path, "?") { - if len(q) > 0 { - u, err = url.Parse(fmt.Sprintf("%s&%s", path, q.Encode())) - } else { - u, err = url.Parse(path) - } - } - if err != nil { - return nil, err - } - httpReq, err := http.NewRequest(strings.ToUpper(op.GetOperationRef().ExtractMethodItem()), u.String(), bodyReader) - if err != nil { - return nil, err - } - if contentTypeHeaderRequired { - if prefilledHeader.Get("Content-Type") != "" { - prefilledHeader.Set("Content-Type", expectedRequest.GetBodyMediaType()) - } - } - httpReq.Header = prefilledHeader - route, checkedPathParams, err := router.FindRoute(httpReq) - if err != nil { - return nil, err - } - options := &openapi3filter.Options{ - AuthenticationFunc: openapi3filter.NoopAuthenticationFunc, - } - // Validate request - requestValidationInput := &openapi3filter.RequestValidationInput{ - Options: options, - PathParams: checkedPathParams, - Request: httpReq, - Route: route, - } - return requestValidationInput, nil -} - type AddressSpaceExpander interface { Expand() error } diff --git a/test/registry-simple/src/aws/v0.1.0/services/ec2.yaml b/test/registry-simple/src/aws/v0.1.0/services/ec2.yaml index e846079..3f0da37 100644 --- a/test/registry-simple/src/aws/v0.1.0/services/ec2.yaml +++ b/test/registry-simple/src/aws/v0.1.0/services/ec2.yaml @@ -1,42 +1,40 @@ openapi: 3.0.0 -security: - - hmac: [] info: - version: 2016-11-15 + version: '2016-11-15' x-release: v4 title: Amazon Elastic Compute Cloud - description: "Amazon Elastic Compute Cloud

Amazon Elastic Compute Cloud (Amazon EC2) provides secure and resizable computing capacity in the AWS Cloud. Using Amazon EC2 eliminates the need to invest in hardware up front, so you can develop and deploy applications faster. Amazon Virtual Private Cloud (Amazon VPC) enables you to provision a logically isolated section of the AWS Cloud where you can launch AWS resources in a virtual network that you've defined. Amazon Elastic Block Store (Amazon EBS) provides block level storage volumes for use with EC2 instances. EBS volumes are highly available and reliable storage volumes that can be attached to any running instance and used like a hard drive.

To learn more, see the following resources:

" + description: 'Amazon Elastic Compute Cloud

Amazon Elastic Compute Cloud (Amazon EC2) provides secure and resizable computing capacity in the Amazon Web Services Cloud. Using Amazon EC2 eliminates the need to invest in hardware up front, so you can develop and deploy applications faster. Amazon Virtual Private Cloud (Amazon VPC) enables you to provision a logically isolated section of the Amazon Web Services Cloud where you can launch Amazon Web Services resources in a virtual network that you''ve defined. Amazon Elastic Block Store (Amazon EBS) provides block level storage volumes for use with EC2 instances. EBS volumes are highly available and reliable storage volumes that can be attached to any running instance and used like a hard drive.

To learn more, see the following resources:

' x-logo: - url: https://api.apis.guru/v2/cache/logo/https_twitter.com_awscloud_profile_image.png - backgroundColor: "#FFFFFF" - termsOfService: https://aws.amazon.com/service-terms/ + url: 'https://twitter.com/awscloud/profile_image?size=original' + backgroundColor: '#FFFFFF' + termsOfService: 'https://aws.amazon.com/service-terms/' contact: name: Mike Ralphson email: mike.ralphson@gmail.com - url: https://github.com/mermade/aws2openapi + url: 'https://github.com/mermade/aws2openapi' x-twitter: PermittedSoc license: name: Apache 2.0 License - url: http://www.apache.org/licenses/ + url: 'http://www.apache.org/licenses/' x-providerName: amazonaws.com x-serviceName: ec2 x-origin: - contentType: application/json - url: https://raw.githubusercontent.com/aws/aws-sdk-js/master/apis/ec2-2016-11-15.normal.json + url: 'https://raw.githubusercontent.com/aws/aws-sdk-js/master/apis/ec2-2016-11-15.normal.json' converter: - url: https://github.com/mermade/aws2openapi + url: 'https://github.com/mermade/aws2openapi' version: 1.0.0 x-apisguru-driver: external x-apiClientRegistration: - url: https://portal.aws.amazon.com/gp/aws/developer/registration/index.html?nc2=h_ct + url: 'https://portal.aws.amazon.com/gp/aws/developer/registration/index.html?nc2=h_ct' x-apisguru-categories: - cloud x-preferred: true externalDocs: description: Amazon Web Services documentation - url: https://docs.aws.amazon.com/ec2/ + url: 'https://docs.aws.amazon.com/ec2/' servers: - - url: https://ec2.{region}.amazonaws.com + - url: 'https://ec2.{region}.amazonaws.com' variables: region: description: The AWS region @@ -66,22 +64,10 @@ servers: - me-south-1 default: us-east-1 description: The Amazon EC2 multi-region endpoint - - url: http://ec2.amazonaws.com - variables: {} - description: The general Amazon EC2 endpoint for US East (N. Virginia) - - url: https://ec2.amazonaws.com + - url: 'https://ec2.amazonaws.com' variables: {} description: The general Amazon EC2 endpoint for US East (N. Virginia) - - url: http://ec2.{region}.amazonaws.com.cn - variables: - region: - description: The AWS region - enum: - - cn-north-1 - - cn-northwest-1 - default: cn-north-1 - description: The Amazon EC2 endpoint for China (Beijing) and China (Ningxia) - - url: https://ec2.{region}.amazonaws.com.cn + - url: 'https://ec2.{region}.amazonaws.com.cn' variables: region: description: The AWS region @@ -90,204 +76,46584 @@ servers: - cn-northwest-1 default: cn-north-1 description: The Amazon EC2 endpoint for China (Beijing) and China (Ningxia) -x-hasEquivalentPaths: true paths: - /?Action=DescribeVolumes&Version=2016-11-15: + /?Action=AcceptReservedInstancesExchangeQuote&Version=2016-11-15: get: - x-aws-operation-name: DescribeVolumes - operationId: GET_DescribeVolumes - description:

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

+ x-aws-operation-name: AcceptReservedInstancesExchangeQuote + operationId: GET_AcceptReservedInstancesExchangeQuote + description: Accepts the Convertible Reserved Instance exchange quote described in the GetReservedInstancesExchangeQuote call. responses: - "200": + '200': description: Success content: - application/xml: + text/xml: schema: - $ref: "#/components/schemas/DescribeVolumesResult" + $ref: '#/components/schemas/AcceptReservedInstancesExchangeQuoteResult' parameters: - - name: Filter + - name: DryRun in: query required: false - description:

The filters.

+ description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ReservedInstanceId + in: query + required: true + description: The IDs of the Convertible Reserved Instances to exchange for another Convertible Reserved Instance of the same or higher value. schema: type: array items: allOf: - - $ref: "#/components/schemas/Filter" + - $ref: '#/components/schemas/ReservationId' - xml: - name: Filter - - name: VolumeId + name: ReservedInstanceId + - name: TargetConfiguration in: query required: false - description: The volume IDs. + description: The configuration of the target Convertible Reserved Instance to exchange for your current Convertible Reserved Instances. schema: type: array items: allOf: - - $ref: "#/components/schemas/VolumeId" + - $ref: '#/components/schemas/TargetConfigurationRequest' - xml: - name: VolumeId + name: TargetConfigurationRequest + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AcceptReservedInstancesExchangeQuote + operationId: POST_AcceptReservedInstancesExchangeQuote + description: Accepts the Convertible Reserved Instance exchange quote described in the GetReservedInstancesExchangeQuote call. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptReservedInstancesExchangeQuoteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptReservedInstancesExchangeQuoteRequest' + parameters: [] + /?Action=AcceptTransitGatewayMulticastDomainAssociations&Version=2016-11-15: + get: + x-aws-operation-name: AcceptTransitGatewayMulticastDomainAssociations + operationId: GET_AcceptTransitGatewayMulticastDomainAssociations + description: Accepts a request to associate subnets with a transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayMulticastDomainAssociationsResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the transit gateway attachment. + schema: + type: string + - name: SubnetIds + in: query + required: false + description: The IDs of the subnets to associate with the transit gateway multicast domain. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item - name: DryRun in: query required: false - description: Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation. + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' schema: type: boolean - - name: MaxResults + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AcceptTransitGatewayMulticastDomainAssociations + operationId: POST_AcceptTransitGatewayMulticastDomainAssociations + description: Accepts a request to associate subnets with a transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayMulticastDomainAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayMulticastDomainAssociationsRequest' + parameters: [] + /?Action=AcceptTransitGatewayPeeringAttachment&Version=2016-11-15: + get: + x-aws-operation-name: AcceptTransitGatewayPeeringAttachment + operationId: GET_AcceptTransitGatewayPeeringAttachment + description: Accepts a transit gateway peering attachment request. The peering attachment must be in the pendingAcceptance state. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayPeeringAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the transit gateway attachment. + schema: + type: string + - name: DryRun in: query required: false - description: The maximum number of volume results returned by DescribeVolumes in paginated output. When this parameter is used, DescribeVolumes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeVolumes request with the returned NextToken value. This value can be between 5 and 500; if MaxResults is given a value larger than 500, only 500 results are returned. If this parameter is not used, then DescribeVolumes returns all results. You cannot specify this parameter and the volume IDs parameter in the same request. + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' schema: - type: integer - - name: NextToken + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AcceptTransitGatewayPeeringAttachment + operationId: POST_AcceptTransitGatewayPeeringAttachment + description: Accepts a transit gateway peering attachment request. The peering attachment must be in the pendingAcceptance state. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayPeeringAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayPeeringAttachmentRequest' + parameters: [] + /?Action=AcceptTransitGatewayVpcAttachment&Version=2016-11-15: + get: + x-aws-operation-name: AcceptTransitGatewayVpcAttachment + operationId: GET_AcceptTransitGatewayVpcAttachment + description:

Accepts a request to attach a VPC to a transit gateway.

The VPC attachment must be in the pendingAcceptance state. Use DescribeTransitGatewayVpcAttachments to view your pending VPC attachment requests. Use RejectTransitGatewayVpcAttachment to reject a VPC attachment request.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayVpcAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun in: query required: false - description: The NextToken value returned from a previous paginated DescribeVolumes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AcceptTransitGatewayVpcAttachment + operationId: POST_AcceptTransitGatewayVpcAttachment + description:

Accepts a request to attach a VPC to a transit gateway.

The VPC attachment must be in the pendingAcceptance state. Use DescribeTransitGatewayVpcAttachments to view your pending VPC attachment requests. Use RejectTransitGatewayVpcAttachment to reject a VPC attachment request.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayVpcAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptTransitGatewayVpcAttachmentRequest' + parameters: [] + /?Action=AcceptVpcEndpointConnections&Version=2016-11-15: + get: + x-aws-operation-name: AcceptVpcEndpointConnections + operationId: GET_AcceptVpcEndpointConnections + description: Accepts one or more interface VPC endpoint connection requests to your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptVpcEndpointConnectionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the VPC endpoint service. + schema: + type: string + - name: VpcEndpointId + in: query + required: true + description: The IDs of one or more interface VPC endpoints. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AcceptVpcEndpointConnections + operationId: POST_AcceptVpcEndpointConnections + description: Accepts one or more interface VPC endpoint connection requests to your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptVpcEndpointConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptVpcEndpointConnectionsRequest' + parameters: [] + /?Action=AcceptVpcPeeringConnection&Version=2016-11-15: + get: + x-aws-operation-name: AcceptVpcPeeringConnection + operationId: GET_AcceptVpcPeeringConnection + description: '

Accept a VPC peering connection request. To accept a request, the VPC peering connection must be in the pending-acceptance state, and you must be the owner of the peer VPC. Use DescribeVpcPeeringConnections to view your outstanding VPC peering connection requests.

For an inter-Region VPC peering connection request, you must accept the VPC peering connection in the Region of the accepter VPC.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptVpcPeeringConnectionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcPeeringConnectionId + in: query + required: false + description: The ID of the VPC peering connection. You must specify this parameter in the request. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AcceptVpcPeeringConnection + operationId: POST_AcceptVpcPeeringConnection + description: '

Accept a VPC peering connection request. To accept a request, the VPC peering connection must be in the pending-acceptance state, and you must be the owner of the peer VPC. Use DescribeVpcPeeringConnections to view your outstanding VPC peering connection requests.

For an inter-Region VPC peering connection request, you must accept the VPC peering connection in the Region of the accepter VPC.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptVpcPeeringConnectionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AcceptVpcPeeringConnectionRequest' + parameters: [] + /?Action=AdvertiseByoipCidr&Version=2016-11-15: + get: + x-aws-operation-name: AdvertiseByoipCidr + operationId: GET_AdvertiseByoipCidr + description: '

Advertises an IPv4 or IPv6 address range that is provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP).

You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time.

We recommend that you stop advertising the BYOIP CIDR from other locations when you advertise it from Amazon Web Services. To minimize down time, you can configure your Amazon Web Services resources to use an address from a BYOIP CIDR before it is advertised, and then simultaneously stop advertising it from the current location and start advertising it through Amazon Web Services.

It can take a few minutes before traffic to the specified addresses starts routing to Amazon Web Services because of BGP propagation delays.

To stop advertising the BYOIP CIDR, use WithdrawByoipCidr.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AdvertiseByoipCidrResult' + parameters: + - name: Cidr + in: query + required: true + description: 'The address range, in CIDR notation. This must be the exact range that you provisioned. You can''t advertise only a portion of the provisioned range.' schema: type: string - - name: Action + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AdvertiseByoipCidr + operationId: POST_AdvertiseByoipCidr + description: '

Advertises an IPv4 or IPv6 address range that is provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP).

You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time.

We recommend that you stop advertising the BYOIP CIDR from other locations when you advertise it from Amazon Web Services. To minimize down time, you can configure your Amazon Web Services resources to use an address from a BYOIP CIDR before it is advertised, and then simultaneously stop advertising it from the current location and start advertising it through Amazon Web Services.

It can take a few minutes before traffic to the specified addresses starts routing to Amazon Web Services because of BGP propagation delays.

To stop advertising the BYOIP CIDR, use WithdrawByoipCidr.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AdvertiseByoipCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AdvertiseByoipCidrRequest' + parameters: [] + /?Action=AllocateAddress&Version=2016-11-15: + get: + x-aws-operation-name: AllocateAddress + operationId: GET_AllocateAddress + description: '

Allocates an Elastic IP address to your Amazon Web Services account. After you allocate the Elastic IP address you can associate it with an instance or network interface. After you release an Elastic IP address, it is released to the IP address pool and can be allocated to a different Amazon Web Services account.

You can allocate an Elastic IP address from an address pool owned by Amazon Web Services or from an address pool created from a public IPv4 address range that you have brought to Amazon Web Services for use with your Amazon Web Services resources using bring your own IP addresses (BYOIP). For more information, see Bring Your Own IP Addresses (BYOIP) in the Amazon Elastic Compute Cloud User Guide.

[EC2-VPC] If you release an Elastic IP address, you might be able to recover it. You cannot recover an Elastic IP address that you released after it is allocated to another Amazon Web Services account. You cannot recover an Elastic IP address for EC2-Classic. To attempt to recover an Elastic IP address that you released, specify it in this operation.

An Elastic IP address is for use either in the EC2-Classic platform or in a VPC. By default, you can allocate 5 Elastic IP addresses for EC2-Classic per Region and 5 Elastic IP addresses for EC2-VPC per Region.

For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

You can allocate a carrier IP address which is a public IP address from a telecommunication carrier, to a network interface which resides in a subnet in a Wavelength Zone (for example an EC2 instance).

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateAddressResult' + parameters: + - name: Domain in: query required: false + description: '

Indicates whether the Elastic IP address is for use with instances in a VPC or instances in EC2-Classic.

Default: If the Region supports EC2-Classic, the default is standard. Otherwise, the default is vpc.

' schema: type: string - default: DescribeVolumes enum: - - DescribeVolumes - - name: Version + - vpc + - standard + - name: Address in: query required: false + description: '[EC2-VPC] The Elastic IP address to recover or an IPv4 address from an address pool.' schema: type: string - default: 2016-11-15 - enum: - - 2016-11-15 + - name: PublicIpv4Pool + in: query + required: false + description: 'The ID of an address pool that you own. Use this parameter to let Amazon EC2 select an address from the address pool. To specify a specific address from the address pool, use the Address parameter instead.' + schema: + type: string + - name: NetworkBorderGroup + in: query + required: false + description: '

A unique set of Availability Zones, Local Zones, or Wavelength Zones from which Amazon Web Services advertises IP addresses. Use this parameter to limit the IP address to this location. IP addresses cannot move between network border groups.

Use DescribeAvailabilityZones to view the network border groups.

You cannot use a network border group with EC2 Classic. If you attempt this operation on EC2 Classic, you receive an InvalidParameterCombination error.

' + schema: + type: string + - name: CustomerOwnedIpv4Pool + in: query + required: false + description: 'The ID of a customer-owned address pool. Use this parameter to let Amazon EC2 select an address from the address pool. Alternatively, specify a specific address from the address pool.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to assign to the Elastic IP address. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item parameters: - - $ref: "#/components/parameters/X-Amz-Content-Sha256" - - $ref: "#/components/parameters/X-Amz-Date" - - $ref: "#/components/parameters/X-Amz-Algorithm" - - $ref: "#/components/parameters/X-Amz-Credential" - - $ref: "#/components/parameters/X-Amz-Security-Token" - - $ref: "#/components/parameters/X-Amz-Signature" - - $ref: "#/components/parameters/X-Amz-SignedHeaders" + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' post: - x-aws-operation-name: DescribeVolumes - operationId: POST_DescribeVolumes - description:

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

+ x-aws-operation-name: AllocateAddress + operationId: POST_AllocateAddress + description: '

Allocates an Elastic IP address to your Amazon Web Services account. After you allocate the Elastic IP address you can associate it with an instance or network interface. After you release an Elastic IP address, it is released to the IP address pool and can be allocated to a different Amazon Web Services account.

You can allocate an Elastic IP address from an address pool owned by Amazon Web Services or from an address pool created from a public IPv4 address range that you have brought to Amazon Web Services for use with your Amazon Web Services resources using bring your own IP addresses (BYOIP). For more information, see Bring Your Own IP Addresses (BYOIP) in the Amazon Elastic Compute Cloud User Guide.

[EC2-VPC] If you release an Elastic IP address, you might be able to recover it. You cannot recover an Elastic IP address that you released after it is allocated to another Amazon Web Services account. You cannot recover an Elastic IP address for EC2-Classic. To attempt to recover an Elastic IP address that you released, specify it in this operation.

An Elastic IP address is for use either in the EC2-Classic platform or in a VPC. By default, you can allocate 5 Elastic IP addresses for EC2-Classic per Region and 5 Elastic IP addresses for EC2-VPC per Region.

For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

You can allocate a carrier IP address which is a public IP address from a telecommunication carrier, to a network interface which resides in a subnet in a Wavelength Zone (for example an EC2 instance).

' responses: - "200": + '200': description: Success content: - application/xml: + text/xml: schema: - $ref: "#/components/schemas/DescribeVolumesResult" + $ref: '#/components/schemas/AllocateAddressResult' requestBody: content: - application/xml: + text/xml: schema: - $ref: "#/components/schemas/DescribeVolumesRequest" + $ref: '#/components/schemas/AllocateAddressRequest' + parameters: [] + /?Action=AllocateHosts&Version=2016-11-15: + get: + x-aws-operation-name: AllocateHosts + operationId: GET_AllocateHosts + description: 'Allocates a Dedicated Host to your account. At a minimum, specify the supported instance type or instance family, the Availability Zone in which to allocate the host, and the number of hosts to allocate.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateHostsResult' parameters: - - name: MaxResults + - name: AutoPlacement in: query + required: false + description: '

Indicates whether the host accepts any untargeted instance launches that match its instance type configuration, or if it only accepts Host tenancy instance launches that specify its unique host ID. For more information, see Understanding auto-placement and affinity in the Amazon EC2 User Guide.

Default: on

' schema: type: string - description: Pagination limit + enum: + - 'on' + - 'off' + - name: AvailabilityZone + in: query + required: true + description: The Availability Zone in which to allocate the Dedicated Host. + schema: + type: string + - name: ClientToken + in: query required: false - - name: NextToken + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: InstanceType in: query + required: false + description: '

Specifies the instance type to be supported by the Dedicated Hosts. If you specify an instance type, the Dedicated Hosts support instances of the specified instance type only.

If you want the Dedicated Hosts to support multiple instance types in a specific instance family, omit this parameter and specify InstanceFamily instead. You cannot specify InstanceType and InstanceFamily in the same request.

' schema: type: string - description: Pagination token + - name: InstanceFamily + in: query required: false - - name: Action + description: '

Specifies the instance family to be supported by the Dedicated Hosts. If you specify an instance family, the Dedicated Hosts support multiple instance types within that instance family.

If you want the Dedicated Hosts to support a specific instance type only, omit this parameter and specify InstanceType instead. You cannot specify InstanceFamily and InstanceType in the same request.

' + schema: + type: string + - name: Quantity in: query required: true + description: The number of Dedicated Hosts to allocate to your account with these parameters. + schema: + type: integer + - name: TagSpecification + in: query + required: false + description: The tags to apply to the Dedicated Host during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: HostRecovery + in: query + required: false + description: '

Indicates whether to enable or disable host recovery for the Dedicated Host. Host recovery is disabled by default. For more information, see Host recovery in the Amazon EC2 User Guide.

Default: off

' schema: type: string enum: - - DescribeVolumes - - name: Version + - 'on' + - 'off' + - name: OutpostArn in: query - required: true + required: false + description: The Amazon Resource Name (ARN) of the Amazon Web Services Outpost on which to allocate the Dedicated Host. schema: type: string - enum: - - 2016-11-15 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AllocateHosts + operationId: POST_AllocateHosts + description: 'Allocates a Dedicated Host to your account. At a minimum, specify the supported instance type or instance family, the Availability Zone in which to allocate the host, and the number of hosts to allocate.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateHostsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateHostsRequest' + parameters: [] + /?Action=AllocateIpamPoolCidr&Version=2016-11-15: + get: + x-aws-operation-name: AllocateIpamPoolCidr + operationId: GET_AllocateIpamPoolCidr + description: 'Allocate a CIDR from an IPAM pool. In IPAM, an allocation is a CIDR assignment from an IPAM pool to another resource or IPAM pool. For more information, see Allocate CIDRs in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateIpamPoolCidrResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool from which you would like to allocate a CIDR. + schema: + type: string + - name: Cidr + in: query + required: false + description: '

The CIDR you would like to allocate from the IPAM pool. Note the following:

Possible values: Any available IPv4 or IPv6 CIDR.

' + schema: + type: string + - name: NetmaskLength + in: query + required: false + description: '

The netmask length of the CIDR you would like to allocate from the IPAM pool. Note the following:

Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128.

' + schema: + type: integer + - name: ClientToken + in: query + required: false + description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: Description + in: query + required: false + description: A description for the allocation. + schema: + type: string + - name: PreviewNextCidr + in: query + required: false + description: A preview of the next available CIDR in a pool. + schema: + type: boolean + - name: DisallowedCidr + in: query + required: false + description: Exclude a particular CIDR range from being returned by the pool. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AllocateIpamPoolCidr + operationId: POST_AllocateIpamPoolCidr + description: 'Allocate a CIDR from an IPAM pool. In IPAM, an allocation is a CIDR assignment from an IPAM pool to another resource or IPAM pool. For more information, see Allocate CIDRs in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateIpamPoolCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AllocateIpamPoolCidrRequest' + parameters: [] + /?Action=ApplySecurityGroupsToClientVpnTargetNetwork&Version=2016-11-15: + get: + x-aws-operation-name: ApplySecurityGroupsToClientVpnTargetNetwork + operationId: GET_ApplySecurityGroupsToClientVpnTargetNetwork + description: Applies a security group to the association between the target network and the Client VPN endpoint. This action replaces the existing security groups with the specified security groups. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ApplySecurityGroupsToClientVpnTargetNetworkResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC in which the associated target network is located. + schema: + type: string + - name: SecurityGroupId + in: query + required: true + description: The IDs of the security groups to apply to the associated target network. Up to 5 security groups can be applied to an associated target network. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ApplySecurityGroupsToClientVpnTargetNetwork + operationId: POST_ApplySecurityGroupsToClientVpnTargetNetwork + description: Applies a security group to the association between the target network and the Client VPN endpoint. This action replaces the existing security groups with the specified security groups. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ApplySecurityGroupsToClientVpnTargetNetworkResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ApplySecurityGroupsToClientVpnTargetNetworkRequest' + parameters: [] + /?Action=AssignIpv6Addresses&Version=2016-11-15: + get: + x-aws-operation-name: AssignIpv6Addresses + operationId: GET_AssignIpv6Addresses + description: '

Assigns one or more IPv6 addresses to the specified network interface. You can specify one or more specific IPv6 addresses, or you can specify the number of IPv6 addresses to be automatically assigned from within the subnet''s IPv6 CIDR block range. You can assign as many IPv6 addresses to a network interface as you can assign private IPv4 addresses, and the limit varies per instance type. For information, see IP Addresses Per Network Interface Per Instance Type in the Amazon Elastic Compute Cloud User Guide.

You must specify either the IPv6 addresses or the IPv6 address count in the request.

You can optionally use Prefix Delegation on the network interface. You must specify either the IPV6 Prefix Delegation prefixes, or the IPv6 Prefix Delegation count. For information, see Assigning prefixes to Amazon EC2 network interfaces in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssignIpv6AddressesResult' + parameters: + - name: Ipv6AddressCount + in: query + required: false + description: The number of additional IPv6 addresses to assign to the network interface. The specified number of IPv6 addresses are assigned in addition to the existing IPv6 addresses that are already assigned to the network interface. Amazon EC2 automatically selects the IPv6 addresses from the subnet range. You can't use this option if specifying specific IPv6 addresses. + schema: + type: integer + - name: Ipv6Addresses + in: query + required: false + description: One or more specific IPv6 addresses to be assigned to the network interface. You can't use this option if you're specifying a number of IPv6 addresses. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: Ipv6PrefixCount + in: query + required: false + description: The number of IPv6 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv6Prefixes option. + schema: + type: integer + - name: Ipv6Prefix + in: query + required: false + description: One or more IPv6 prefixes assigned to the network interface. You cannot use this option if you use the Ipv6PrefixCount option. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssignIpv6Addresses + operationId: POST_AssignIpv6Addresses + description: '

Assigns one or more IPv6 addresses to the specified network interface. You can specify one or more specific IPv6 addresses, or you can specify the number of IPv6 addresses to be automatically assigned from within the subnet''s IPv6 CIDR block range. You can assign as many IPv6 addresses to a network interface as you can assign private IPv4 addresses, and the limit varies per instance type. For information, see IP Addresses Per Network Interface Per Instance Type in the Amazon Elastic Compute Cloud User Guide.

You must specify either the IPv6 addresses or the IPv6 address count in the request.

You can optionally use Prefix Delegation on the network interface. You must specify either the IPV6 Prefix Delegation prefixes, or the IPv6 Prefix Delegation count. For information, see Assigning prefixes to Amazon EC2 network interfaces in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssignIpv6AddressesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssignIpv6AddressesRequest' + parameters: [] + /?Action=AssignPrivateIpAddresses&Version=2016-11-15: + get: + x-aws-operation-name: AssignPrivateIpAddresses + operationId: GET_AssignPrivateIpAddresses + description: '

Assigns one or more secondary private IP addresses to the specified network interface.

You can specify one or more specific secondary IP addresses, or you can specify the number of secondary IP addresses to be automatically assigned within the subnet''s CIDR block range. The number of secondary IP addresses that you can assign to an instance varies by instance type. For information about instance types, see Instance Types in the Amazon Elastic Compute Cloud User Guide. For more information about Elastic IP addresses, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

When you move a secondary private IP address to another network interface, any Elastic IP address that is associated with the IP address is also moved.

Remapping an IP address is an asynchronous operation. When you move an IP address from one network interface to another, check network/interfaces/macs/mac/local-ipv4s in the instance metadata to confirm that the remapping is complete.

You must specify either the IP addresses or the IP address count in the request.

You can optionally use Prefix Delegation on the network interface. You must specify either the IPv4 Prefix Delegation prefixes, or the IPv4 Prefix Delegation count. For information, see Assigning prefixes to Amazon EC2 network interfaces in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssignPrivateIpAddressesResult' + parameters: + - name: AllowReassignment + in: query + required: false + description: Indicates whether to allow an IP address that is already assigned to another network interface or instance to be reassigned to the specified network interface. + schema: + type: boolean + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + - name: PrivateIpAddress + in: query + required: false + description: '

One or more IP addresses to be assigned as a secondary private IP address to the network interface. You can''t specify this parameter when also specifying a number of secondary IP addresses.

If you don''t specify an IP address, Amazon EC2 automatically selects an IP address within the subnet range.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: PrivateIpAddress + - name: SecondaryPrivateIpAddressCount + in: query + required: false + description: The number of secondary IP addresses to assign to the network interface. You can't specify this parameter when also specifying private IP addresses. + schema: + type: integer + - name: Ipv4Prefix + in: query + required: false + description: One or more IPv4 prefixes assigned to the network interface. You cannot use this option if you use the Ipv4PrefixCount option. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: Ipv4PrefixCount + in: query + required: false + description: The number of IPv4 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv4 Prefixes option. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssignPrivateIpAddresses + operationId: POST_AssignPrivateIpAddresses + description: '

Assigns one or more secondary private IP addresses to the specified network interface.

You can specify one or more specific secondary IP addresses, or you can specify the number of secondary IP addresses to be automatically assigned within the subnet''s CIDR block range. The number of secondary IP addresses that you can assign to an instance varies by instance type. For information about instance types, see Instance Types in the Amazon Elastic Compute Cloud User Guide. For more information about Elastic IP addresses, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

When you move a secondary private IP address to another network interface, any Elastic IP address that is associated with the IP address is also moved.

Remapping an IP address is an asynchronous operation. When you move an IP address from one network interface to another, check network/interfaces/macs/mac/local-ipv4s in the instance metadata to confirm that the remapping is complete.

You must specify either the IP addresses or the IP address count in the request.

You can optionally use Prefix Delegation on the network interface. You must specify either the IPv4 Prefix Delegation prefixes, or the IPv4 Prefix Delegation count. For information, see Assigning prefixes to Amazon EC2 network interfaces in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssignPrivateIpAddressesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssignPrivateIpAddressesRequest' + parameters: [] + /?Action=AssociateAddress&Version=2016-11-15: + get: + x-aws-operation-name: AssociateAddress + operationId: GET_AssociateAddress + description: '

Associates an Elastic IP address, or carrier IP address (for instances that are in subnets in Wavelength Zones) with an instance or a network interface. Before you can use an Elastic IP address, you must allocate it to your account.

An Elastic IP address is for use in either the EC2-Classic platform or in a VPC. For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

[EC2-Classic, VPC in an EC2-VPC-only account] If the Elastic IP address is already associated with a different instance, it is disassociated from that instance and associated with the specified instance. If you associate an Elastic IP address with an instance that has an existing Elastic IP address, the existing address is disassociated from the instance, but remains allocated to your account.

[VPC in an EC2-Classic account] If you don''t specify a private IP address, the Elastic IP address is associated with the primary IP address. If the Elastic IP address is already associated with a different instance or a network interface, you get an error unless you allow reassociation. You cannot associate an Elastic IP address with an instance or network interface that has an existing Elastic IP address.

[Subnets in Wavelength Zones] You can associate an IP address from the telecommunication carrier to the instance or network interface.

You cannot associate an Elastic IP address with an interface in a different network border group.

This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn''t return an error, and you may be charged for each time the Elastic IP address is remapped to the same instance. For more information, see the Elastic IP Addresses section of Amazon EC2 Pricing.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateAddressResult' + parameters: + - name: AllocationId + in: query + required: false + description: '[EC2-VPC] The allocation ID. This is required for EC2-VPC.' + schema: + type: string + - name: InstanceId + in: query + required: false + description: 'The ID of the instance. The instance must have exactly one attached network interface. For EC2-VPC, you can specify either the instance ID or the network interface ID, but not both. For EC2-Classic, you must specify an instance ID and the instance must be in the running state.' + schema: + type: string + - name: PublicIp + in: query + required: false + description: '[EC2-Classic] The Elastic IP address to associate with the instance. This is required for EC2-Classic.' + schema: + type: string + - name: AllowReassociation + in: query + required: false + description: '[EC2-VPC] For a VPC in an EC2-Classic account, specify true to allow an Elastic IP address that is already associated with an instance or network interface to be reassociated with the specified instance or network interface. Otherwise, the operation fails. In a VPC in an EC2-VPC-only account, reassociation is automatic, therefore you can specify false to ensure the operation fails if the Elastic IP address is already associated with another resource.' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInterfaceId + in: query + required: false + description: '

[EC2-VPC] The ID of the network interface. If the instance has more than one network interface, you must specify a network interface ID.

For EC2-VPC, you can specify either the instance ID or the network interface ID, but not both.

' + schema: + type: string + - name: PrivateIpAddress + in: query + required: false + description: '[EC2-VPC] The primary or secondary private IP address to associate with the Elastic IP address. If no private IP address is specified, the Elastic IP address is associated with the primary private IP address.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateAddress + operationId: POST_AssociateAddress + description: '

Associates an Elastic IP address, or carrier IP address (for instances that are in subnets in Wavelength Zones) with an instance or a network interface. Before you can use an Elastic IP address, you must allocate it to your account.

An Elastic IP address is for use in either the EC2-Classic platform or in a VPC. For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

[EC2-Classic, VPC in an EC2-VPC-only account] If the Elastic IP address is already associated with a different instance, it is disassociated from that instance and associated with the specified instance. If you associate an Elastic IP address with an instance that has an existing Elastic IP address, the existing address is disassociated from the instance, but remains allocated to your account.

[VPC in an EC2-Classic account] If you don''t specify a private IP address, the Elastic IP address is associated with the primary IP address. If the Elastic IP address is already associated with a different instance or a network interface, you get an error unless you allow reassociation. You cannot associate an Elastic IP address with an instance or network interface that has an existing Elastic IP address.

[Subnets in Wavelength Zones] You can associate an IP address from the telecommunication carrier to the instance or network interface.

You cannot associate an Elastic IP address with an interface in a different network border group.

This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn''t return an error, and you may be charged for each time the Elastic IP address is remapped to the same instance. For more information, see the Elastic IP Addresses section of Amazon EC2 Pricing.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateAddressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateAddressRequest' + parameters: [] + /?Action=AssociateClientVpnTargetNetwork&Version=2016-11-15: + get: + x-aws-operation-name: AssociateClientVpnTargetNetwork + operationId: GET_AssociateClientVpnTargetNetwork + description: '

Associates a target network with a Client VPN endpoint. A target network is a subnet in a VPC. You can associate multiple subnets from the same VPC with a Client VPN endpoint. You can associate only one subnet in each Availability Zone. We recommend that you associate at least two subnets to provide Availability Zone redundancy.

If you specified a VPC when you created the Client VPN endpoint or if you have previous subnet associations, the specified subnet must be in the same VPC. To specify a subnet that''s in a different VPC, you must first modify the Client VPN endpoint (ModifyClientVpnEndpoint) and change the VPC that''s associated with it.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateClientVpnTargetNetworkResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: SubnetId + in: query + required: true + description: The ID of the subnet to associate with the Client VPN endpoint. + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateClientVpnTargetNetwork + operationId: POST_AssociateClientVpnTargetNetwork + description: '

Associates a target network with a Client VPN endpoint. A target network is a subnet in a VPC. You can associate multiple subnets from the same VPC with a Client VPN endpoint. You can associate only one subnet in each Availability Zone. We recommend that you associate at least two subnets to provide Availability Zone redundancy.

If you specified a VPC when you created the Client VPN endpoint or if you have previous subnet associations, the specified subnet must be in the same VPC. To specify a subnet that''s in a different VPC, you must first modify the Client VPN endpoint (ModifyClientVpnEndpoint) and change the VPC that''s associated with it.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateClientVpnTargetNetworkResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateClientVpnTargetNetworkRequest' + parameters: [] + /?Action=AssociateDhcpOptions&Version=2016-11-15: + get: + x-aws-operation-name: AssociateDhcpOptions + operationId: GET_AssociateDhcpOptions + description: '

Associates a set of DHCP options (that you''ve previously created) with the specified VPC, or associates no DHCP options with the VPC.

After you associate the options with the VPC, any existing instances and all new instances that you launch in that VPC use the options. You don''t need to restart or relaunch the instances. They automatically pick up the changes within a few hours, depending on how frequently the instance renews its DHCP lease. You can explicitly renew the lease using the operating system on the instance.

For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: DhcpOptionsId + in: query + required: true + description: 'The ID of the DHCP options set, or default to associate no DHCP options with the VPC.' + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateDhcpOptions + operationId: POST_AssociateDhcpOptions + description: '

Associates a set of DHCP options (that you''ve previously created) with the specified VPC, or associates no DHCP options with the VPC.

After you associate the options with the VPC, any existing instances and all new instances that you launch in that VPC use the options. You don''t need to restart or relaunch the instances. They automatically pick up the changes within a few hours, depending on how frequently the instance renews its DHCP lease. You can explicitly renew the lease using the operating system on the instance.

For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateDhcpOptionsRequest' + parameters: [] + /?Action=AssociateEnclaveCertificateIamRole&Version=2016-11-15: + get: + x-aws-operation-name: AssociateEnclaveCertificateIamRole + operationId: GET_AssociateEnclaveCertificateIamRole + description: '

Associates an Identity and Access Management (IAM) role with an Certificate Manager (ACM) certificate. This enables the certificate to be used by the ACM for Nitro Enclaves application inside an enclave. For more information, see Certificate Manager for Nitro Enclaves in the Amazon Web Services Nitro Enclaves User Guide.

When the IAM role is associated with the ACM certificate, the certificate, certificate chain, and encrypted private key are placed in an Amazon S3 bucket that only the associated IAM role can access. The private key of the certificate is encrypted with an Amazon Web Services managed key that has an attached attestation-based key policy.

To enable the IAM role to access the Amazon S3 object, you must grant it permission to call s3:GetObject on the Amazon S3 bucket returned by the command. To enable the IAM role to access the KMS key, you must grant it permission to call kms:Decrypt on the KMS key returned by the command. For more information, see Grant the role permission to access the certificate and encryption key in the Amazon Web Services Nitro Enclaves User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateEnclaveCertificateIamRoleResult' + parameters: + - name: CertificateArn + in: query + required: false + description: The ARN of the ACM certificate with which to associate the IAM role. + schema: + type: string + minLength: 1 + maxLength: 1283 + - name: RoleArn + in: query + required: false + description: The ARN of the IAM role to associate with the ACM certificate. You can associate up to 16 IAM roles with an ACM certificate. + schema: + type: string + minLength: 1 + maxLength: 1283 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateEnclaveCertificateIamRole + operationId: POST_AssociateEnclaveCertificateIamRole + description: '

Associates an Identity and Access Management (IAM) role with an Certificate Manager (ACM) certificate. This enables the certificate to be used by the ACM for Nitro Enclaves application inside an enclave. For more information, see Certificate Manager for Nitro Enclaves in the Amazon Web Services Nitro Enclaves User Guide.

When the IAM role is associated with the ACM certificate, the certificate, certificate chain, and encrypted private key are placed in an Amazon S3 bucket that only the associated IAM role can access. The private key of the certificate is encrypted with an Amazon Web Services managed key that has an attached attestation-based key policy.

To enable the IAM role to access the Amazon S3 object, you must grant it permission to call s3:GetObject on the Amazon S3 bucket returned by the command. To enable the IAM role to access the KMS key, you must grant it permission to call kms:Decrypt on the KMS key returned by the command. For more information, see Grant the role permission to access the certificate and encryption key in the Amazon Web Services Nitro Enclaves User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateEnclaveCertificateIamRoleResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateEnclaveCertificateIamRoleRequest' + parameters: [] + /?Action=AssociateIamInstanceProfile&Version=2016-11-15: + get: + x-aws-operation-name: AssociateIamInstanceProfile + operationId: GET_AssociateIamInstanceProfile + description: Associates an IAM instance profile with a running or stopped instance. You cannot associate more than one IAM instance profile with an instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateIamInstanceProfileResult' + parameters: + - name: IamInstanceProfile + in: query + required: true + description: The IAM instance profile. + schema: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the instance profile. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the instance profile. + description: Describes an IAM instance profile. + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateIamInstanceProfile + operationId: POST_AssociateIamInstanceProfile + description: Associates an IAM instance profile with a running or stopped instance. You cannot associate more than one IAM instance profile with an instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateIamInstanceProfileResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateIamInstanceProfileRequest' + parameters: [] + /?Action=AssociateInstanceEventWindow&Version=2016-11-15: + get: + x-aws-operation-name: AssociateInstanceEventWindow + operationId: GET_AssociateInstanceEventWindow + description: '

Associates one or more targets with an event window. Only one type of target (instance IDs, Dedicated Host IDs, or tags) can be specified with an event window.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateInstanceEventWindowResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceEventWindowId + in: query + required: true + description: The ID of the event window. + schema: + type: string + - name: AssociationTarget + in: query + required: true + description: One or more targets associated with the specified event window. + schema: + type: object + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdList' + - description: 'The IDs of the instances to associate with the event window. If the instance is on a Dedicated Host, you can''t specify the Instance ID parameter; you must use the Dedicated Host ID parameter.' + InstanceTag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The instance tags to associate with the event window. Any instances associated with the tags will be associated with the event window. + DedicatedHostId: + allOf: + - $ref: '#/components/schemas/DedicatedHostIdList' + - description: The IDs of the Dedicated Hosts to associate with the event window. + description: 'One or more targets associated with the specified event window. Only one type of target (instance ID, instance tag, or Dedicated Host ID) can be associated with an event window.' + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateInstanceEventWindow + operationId: POST_AssociateInstanceEventWindow + description: '

Associates one or more targets with an event window. Only one type of target (instance IDs, Dedicated Host IDs, or tags) can be specified with an event window.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateInstanceEventWindowResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateInstanceEventWindowRequest' + parameters: [] + /?Action=AssociateRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: AssociateRouteTable + operationId: GET_AssociateRouteTable + description: '

Associates a subnet in your VPC or an internet gateway or virtual private gateway attached to your VPC with a route table in your VPC. This association causes traffic from the subnet or gateway to be routed according to the routes in the route table. The action returns an association ID, which you need in order to disassociate the route table later. A route table can be associated with multiple subnets.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateRouteTableResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + - name: SubnetId + in: query + required: false + description: The ID of the subnet. + schema: + type: string + - name: GatewayId + in: query + required: false + description: The ID of the internet gateway or virtual private gateway. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateRouteTable + operationId: POST_AssociateRouteTable + description: '

Associates a subnet in your VPC or an internet gateway or virtual private gateway attached to your VPC with a route table in your VPC. This association causes traffic from the subnet or gateway to be routed according to the routes in the route table. The action returns an association ID, which you need in order to disassociate the route table later. A route table can be associated with multiple subnets.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateRouteTableResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateRouteTableRequest' + parameters: [] + /?Action=AssociateSubnetCidrBlock&Version=2016-11-15: + get: + x-aws-operation-name: AssociateSubnetCidrBlock + operationId: GET_AssociateSubnetCidrBlock + description: Associates a CIDR block with your subnet. You can only associate a single IPv6 CIDR block with your subnet. An IPv6 CIDR block must have a prefix length of /64. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateSubnetCidrBlockResult' + parameters: + - name: Ipv6CidrBlock + in: query + required: true + description: The IPv6 CIDR block for your subnet. The subnet must have a /64 prefix length. + schema: + type: string + - name: SubnetId + in: query + required: true + description: The ID of your subnet. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateSubnetCidrBlock + operationId: POST_AssociateSubnetCidrBlock + description: Associates a CIDR block with your subnet. You can only associate a single IPv6 CIDR block with your subnet. An IPv6 CIDR block must have a prefix length of /64. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateSubnetCidrBlockResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateSubnetCidrBlockRequest' + parameters: [] + /?Action=AssociateTransitGatewayMulticastDomain&Version=2016-11-15: + get: + x-aws-operation-name: AssociateTransitGatewayMulticastDomain + operationId: GET_AssociateTransitGatewayMulticastDomain + description: '

Associates the specified subnets and transit gateway attachments with the specified transit gateway multicast domain.

The transit gateway attachment must be in the available state before you can add a resource. Use DescribeTransitGatewayAttachments to see the state of the attachment.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTransitGatewayMulticastDomainResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the transit gateway attachment to associate with the transit gateway multicast domain. + schema: + type: string + - name: SubnetIds + in: query + required: false + description: The IDs of the subnets to associate with the transit gateway multicast domain. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateTransitGatewayMulticastDomain + operationId: POST_AssociateTransitGatewayMulticastDomain + description: '

Associates the specified subnets and transit gateway attachments with the specified transit gateway multicast domain.

The transit gateway attachment must be in the available state before you can add a resource. Use DescribeTransitGatewayAttachments to see the state of the attachment.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTransitGatewayMulticastDomainResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTransitGatewayMulticastDomainRequest' + parameters: [] + /?Action=AssociateTransitGatewayRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: AssociateTransitGatewayRouteTable + operationId: GET_AssociateTransitGatewayRouteTable + description: Associates the specified attachment with the specified transit gateway route table. You can associate only one route table with an attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTransitGatewayRouteTableResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateTransitGatewayRouteTable + operationId: POST_AssociateTransitGatewayRouteTable + description: Associates the specified attachment with the specified transit gateway route table. You can associate only one route table with an attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTransitGatewayRouteTableResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTransitGatewayRouteTableRequest' + parameters: [] + /?Action=AssociateTrunkInterface&Version=2016-11-15: + get: + x-aws-operation-name: AssociateTrunkInterface + operationId: GET_AssociateTrunkInterface + description: '

This API action is currently in limited preview only. If you are interested in using this feature, contact your account manager.

Associates a branch network interface with a trunk network interface.

Before you create the association, run the create-network-interface command and set --interface-type to trunk. You must also create a network interface for each branch network interface that you want to associate with the trunk network interface.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTrunkInterfaceResult' + parameters: + - name: BranchInterfaceId + in: query + required: true + description: The ID of the branch network interface. + schema: + type: string + - name: TrunkInterfaceId + in: query + required: true + description: The ID of the trunk network interface. + schema: + type: string + - name: VlanId + in: query + required: false + description: The ID of the VLAN. This applies to the VLAN protocol. + schema: + type: integer + - name: GreKey + in: query + required: false + description: The application key. This applies to the GRE protocol. + schema: + type: integer + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to Ensure Idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateTrunkInterface + operationId: POST_AssociateTrunkInterface + description: '

This API action is currently in limited preview only. If you are interested in using this feature, contact your account manager.

Associates a branch network interface with a trunk network interface.

Before you create the association, run the create-network-interface command and set --interface-type to trunk. You must also create a network interface for each branch network interface that you want to associate with the trunk network interface.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTrunkInterfaceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateTrunkInterfaceRequest' + parameters: [] + /?Action=AssociateVpcCidrBlock&Version=2016-11-15: + get: + x-aws-operation-name: AssociateVpcCidrBlock + operationId: GET_AssociateVpcCidrBlock + description: '

Associates a CIDR block with your VPC. You can associate a secondary IPv4 CIDR block, an Amazon-provided IPv6 CIDR block, or an IPv6 CIDR block from an IPv6 address pool that you provisioned through bring your own IP addresses (BYOIP). The IPv6 CIDR block size is fixed at /56.

You must specify one of the following in the request: an IPv4 CIDR block, an IPv6 pool, or an Amazon-provided IPv6 CIDR block.

For more information about associating CIDR blocks with your VPC and applicable restrictions, see VPC and subnet sizing in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateVpcCidrBlockResult' + parameters: + - name: AmazonProvidedIpv6CidrBlock + in: query + required: false + description: 'Requests an Amazon-provided IPv6 CIDR block with a /56 prefix length for the VPC. You cannot specify the range of IPv6 addresses, or the size of the CIDR block.' + schema: + type: boolean + - name: CidrBlock + in: query + required: false + description: An IPv4 CIDR block to associate with the VPC. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: Ipv6CidrBlockNetworkBorderGroup + in: query + required: false + description:

The name of the location from which we advertise the IPV6 CIDR block. Use this parameter to limit the CIDR block to this location.

You must set AmazonProvidedIpv6CidrBlock to true to use this parameter.

You can have one IPv6 CIDR block association per network border group.

+ schema: + type: string + - name: Ipv6Pool + in: query + required: false + description: The ID of an IPv6 address pool from which to allocate the IPv6 CIDR block. + schema: + type: string + - name: Ipv6CidrBlock + in: query + required: false + description: '

An IPv6 CIDR block from the IPv6 address pool. You must also specify Ipv6Pool in the request.

To let Amazon choose the IPv6 CIDR block for you, omit this parameter.

' + schema: + type: string + - name: Ipv4IpamPoolId + in: query + required: false + description: 'Associate a CIDR allocated from an IPv4 IPAM pool to a VPC. For more information about Amazon VPC IP Address Manager (IPAM), see What is IPAM? in the Amazon VPC IPAM User Guide.' + schema: + type: string + - name: Ipv4NetmaskLength + in: query + required: false + description: 'The netmask length of the IPv4 CIDR you would like to associate from an Amazon VPC IP Address Manager (IPAM) pool. For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide. ' + schema: + type: integer + - name: Ipv6IpamPoolId + in: query + required: false + description: 'Associates a CIDR allocated from an IPv6 IPAM pool to a VPC. For more information about Amazon VPC IP Address Manager (IPAM), see What is IPAM? in the Amazon VPC IPAM User Guide.' + schema: + type: string + - name: Ipv6NetmaskLength + in: query + required: false + description: 'The netmask length of the IPv6 CIDR you would like to associate from an Amazon VPC IP Address Manager (IPAM) pool. For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide. ' + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AssociateVpcCidrBlock + operationId: POST_AssociateVpcCidrBlock + description: '

Associates a CIDR block with your VPC. You can associate a secondary IPv4 CIDR block, an Amazon-provided IPv6 CIDR block, or an IPv6 CIDR block from an IPv6 address pool that you provisioned through bring your own IP addresses (BYOIP). The IPv6 CIDR block size is fixed at /56.

You must specify one of the following in the request: an IPv4 CIDR block, an IPv6 pool, or an Amazon-provided IPv6 CIDR block.

For more information about associating CIDR blocks with your VPC and applicable restrictions, see VPC and subnet sizing in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateVpcCidrBlockResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AssociateVpcCidrBlockRequest' + parameters: [] + /?Action=AttachClassicLinkVpc&Version=2016-11-15: + get: + x-aws-operation-name: AttachClassicLinkVpc + operationId: GET_AttachClassicLinkVpc + description: '

Links an EC2-Classic instance to a ClassicLink-enabled VPC through one or more of the VPC''s security groups. You cannot link an EC2-Classic instance to more than one VPC at a time. You can only link an instance that''s in the running state. An instance is automatically unlinked from a VPC when it''s stopped - you can link it to the VPC again when you restart it.

After you''ve linked an instance, you cannot change the VPC security groups that are associated with it. To change the security groups, you must first unlink the instance, and then link it again.

Linking your instance to a VPC is sometimes referred to as attaching your instance.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachClassicLinkVpcResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SecurityGroupId + in: query + required: true + description: The ID of one or more of the VPC's security groups. You cannot specify security groups from a different VPC. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: groupId + - name: InstanceId + in: query + required: true + description: The ID of an EC2-Classic instance to link to the ClassicLink-enabled VPC. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of a ClassicLink-enabled VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AttachClassicLinkVpc + operationId: POST_AttachClassicLinkVpc + description: '

Links an EC2-Classic instance to a ClassicLink-enabled VPC through one or more of the VPC''s security groups. You cannot link an EC2-Classic instance to more than one VPC at a time. You can only link an instance that''s in the running state. An instance is automatically unlinked from a VPC when it''s stopped - you can link it to the VPC again when you restart it.

After you''ve linked an instance, you cannot change the VPC security groups that are associated with it. To change the security groups, you must first unlink the instance, and then link it again.

Linking your instance to a VPC is sometimes referred to as attaching your instance.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachClassicLinkVpcResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachClassicLinkVpcRequest' + parameters: [] + /?Action=AttachInternetGateway&Version=2016-11-15: + get: + x-aws-operation-name: AttachInternetGateway + operationId: GET_AttachInternetGateway + description: 'Attaches an internet gateway or a virtual private gateway to a VPC, enabling connectivity between the internet and the VPC. For more information about your VPC and internet gateway, see the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InternetGatewayId + in: query + required: true + description: The ID of the internet gateway. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AttachInternetGateway + operationId: POST_AttachInternetGateway + description: 'Attaches an internet gateway or a virtual private gateway to a VPC, enabling connectivity between the internet and the VPC. For more information about your VPC and internet gateway, see the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachInternetGatewayRequest' + parameters: [] + /?Action=AttachNetworkInterface&Version=2016-11-15: + get: + x-aws-operation-name: AttachNetworkInterface + operationId: GET_AttachNetworkInterface + description: Attaches a network interface to an instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachNetworkInterfaceResult' + parameters: + - name: DeviceIndex + in: query + required: true + description: The index of the device for the network interface attachment. + schema: + type: integer + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + - name: NetworkCardIndex + in: query + required: false + description: The index of the network card. Some instance types support multiple network cards. The primary network interface must be assigned to network card index 0. The default is network card index 0. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AttachNetworkInterface + operationId: POST_AttachNetworkInterface + description: Attaches a network interface to an instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachNetworkInterfaceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachNetworkInterfaceRequest' + parameters: [] + /?Action=AttachVolume&Version=2016-11-15: + get: + x-aws-operation-name: AttachVolume + operationId: GET_AttachVolume + description: '

Attaches an EBS volume to a running or stopped instance and exposes it to the instance with the specified device name.

Encrypted EBS volumes must be attached to instances that support Amazon EBS encryption. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

After you attach an EBS volume, you must make it available. For more information, see Make an EBS volume available for use.

If a volume has an Amazon Web Services Marketplace product code:

For more information, see Attach an Amazon EBS volume to an instance in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/VolumeAttachment' + parameters: + - name: Device + in: query + required: true + description: 'The device name (for example, /dev/sdh or xvdh).' + schema: + type: string + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: VolumeId + in: query + required: true + description: The ID of the EBS volume. The volume and instance must be within the same Availability Zone. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AttachVolume + operationId: POST_AttachVolume + description: '

Attaches an EBS volume to a running or stopped instance and exposes it to the instance with the specified device name.

Encrypted EBS volumes must be attached to instances that support Amazon EBS encryption. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

After you attach an EBS volume, you must make it available. For more information, see Make an EBS volume available for use.

If a volume has an Amazon Web Services Marketplace product code:

For more information, see Attach an Amazon EBS volume to an instance in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/VolumeAttachment' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachVolumeRequest' + parameters: [] + /?Action=AttachVpnGateway&Version=2016-11-15: + get: + x-aws-operation-name: AttachVpnGateway + operationId: GET_AttachVpnGateway + description: '

Attaches a virtual private gateway to a VPC. You can attach one virtual private gateway to one VPC at a time.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachVpnGatewayResult' + parameters: + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: VpnGatewayId + in: query + required: true + description: The ID of the virtual private gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AttachVpnGateway + operationId: POST_AttachVpnGateway + description: '

Attaches a virtual private gateway to a VPC. You can attach one virtual private gateway to one VPC at a time.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachVpnGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AttachVpnGatewayRequest' + parameters: [] + /?Action=AuthorizeClientVpnIngress&Version=2016-11-15: + get: + x-aws-operation-name: AuthorizeClientVpnIngress + operationId: GET_AuthorizeClientVpnIngress + description: Adds an ingress authorization rule to a Client VPN endpoint. Ingress authorization rules act as firewall rules that grant access to networks. You must configure ingress authorization rules to enable clients to access resources in Amazon Web Services or on-premises networks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeClientVpnIngressResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: TargetNetworkCidr + in: query + required: true + description: 'The IPv4 address range, in CIDR notation, of the network for which access is being authorized.' + schema: + type: string + - name: AccessGroupId + in: query + required: false + description: 'The ID of the group to grant access to, for example, the Active Directory group or identity provider (IdP) group. Required if AuthorizeAllGroups is false or not specified.' + schema: + type: string + - name: AuthorizeAllGroups + in: query + required: false + description: Indicates whether to grant access to all clients. Specify true to grant all clients who successfully establish a VPN connection access to the network. Must be set to true if AccessGroupId is not specified. + schema: + type: boolean + - name: Description + in: query + required: false + description: A brief description of the authorization rule. + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AuthorizeClientVpnIngress + operationId: POST_AuthorizeClientVpnIngress + description: Adds an ingress authorization rule to a Client VPN endpoint. Ingress authorization rules act as firewall rules that grant access to networks. You must configure ingress authorization rules to enable clients to access resources in Amazon Web Services or on-premises networks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeClientVpnIngressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeClientVpnIngressRequest' + parameters: [] + /?Action=AuthorizeSecurityGroupEgress&Version=2016-11-15: + get: + x-aws-operation-name: AuthorizeSecurityGroupEgress + operationId: GET_AuthorizeSecurityGroupEgress + description: '

[VPC only] Adds the specified outbound (egress) rules to a security group for use with a VPC.

An outbound rule permits instances to send traffic to the specified IPv4 or IPv6 CIDR address ranges, or to the instances that are associated with the specified source security groups.

You specify a protocol for each rule (for example, TCP). For the TCP and UDP protocols, you must also specify the destination port or port range. For the ICMP protocol, you must also specify the ICMP type and code. You can use -1 for the type or code to mean all types or all codes.

Rule changes are propagated to affected instances as quickly as possible. However, a small delay might occur.

For information about VPC security group quotas, see Amazon VPC quotas.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeSecurityGroupEgressResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupId + in: query + required: true + description: The ID of the security group. + schema: + type: string + - name: IpPermissions + in: query + required: false + description: The sets of IP permissions. You can't specify a destination security group and a CIDR IP address range in the same set of permissions. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + - name: TagSpecification + in: query + required: false + description: The tags applied to the security group rule. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: CidrIp + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the CIDR. + schema: + type: string + - name: FromPort + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the port. + schema: + type: integer + - name: IpProtocol + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the protocol name or number. + schema: + type: string + - name: ToPort + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the port. + schema: + type: integer + - name: SourceSecurityGroupName + in: query + required: false + description: Not supported. Use a set of IP permissions to specify a destination security group. + schema: + type: string + - name: SourceSecurityGroupOwnerId + in: query + required: false + description: Not supported. Use a set of IP permissions to specify a destination security group. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AuthorizeSecurityGroupEgress + operationId: POST_AuthorizeSecurityGroupEgress + description: '

[VPC only] Adds the specified outbound (egress) rules to a security group for use with a VPC.

An outbound rule permits instances to send traffic to the specified IPv4 or IPv6 CIDR address ranges, or to the instances that are associated with the specified source security groups.

You specify a protocol for each rule (for example, TCP). For the TCP and UDP protocols, you must also specify the destination port or port range. For the ICMP protocol, you must also specify the ICMP type and code. You can use -1 for the type or code to mean all types or all codes.

Rule changes are propagated to affected instances as quickly as possible. However, a small delay might occur.

For information about VPC security group quotas, see Amazon VPC quotas.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeSecurityGroupEgressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeSecurityGroupEgressRequest' + parameters: [] + /?Action=AuthorizeSecurityGroupIngress&Version=2016-11-15: + get: + x-aws-operation-name: AuthorizeSecurityGroupIngress + operationId: GET_AuthorizeSecurityGroupIngress + description: '

Adds the specified inbound (ingress) rules to a security group.

An inbound rule permits instances to receive traffic from the specified IPv4 or IPv6 CIDR address range, or from the instances that are associated with the specified destination security groups.

You specify a protocol for each rule (for example, TCP). For TCP and UDP, you must also specify the destination port or port range. For ICMP/ICMPv6, you must also specify the ICMP/ICMPv6 type and code. You can use -1 to mean all types or all codes.

Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur.

For more information about VPC security group quotas, see Amazon VPC quotas.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeSecurityGroupIngressResult' + parameters: + - name: CidrIp + in: query + required: false + description: '

The IPv4 address range, in CIDR format. You can''t specify this parameter when specifying a source security group. To specify an IPv6 address range, use a set of IP permissions.

Alternatively, use a set of IP permissions to specify multiple rules and a description for the rule.

' + schema: + type: string + - name: FromPort + in: query + required: false + description: '

The start of port range for the TCP and UDP protocols, or an ICMP type number. For the ICMP type number, use -1 to specify all types. If you specify all ICMP types, you must specify all codes.

Alternatively, use a set of IP permissions to specify multiple rules and a description for the rule.

' + schema: + type: integer + - name: GroupId + in: query + required: false + description: 'The ID of the security group. You must specify either the security group ID or the security group name in the request. For security groups in a nondefault VPC, you must specify the security group ID.' + schema: + type: string + - name: GroupName + in: query + required: false + description: '[EC2-Classic, default VPC] The name of the security group. You must specify either the security group ID or the security group name in the request.' + schema: + type: string + - name: IpPermissions + in: query + required: false + description: The sets of IP permissions. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + - name: IpProtocol + in: query + required: false + description: '

The IP protocol name (tcp, udp, icmp) or number (see Protocol Numbers). To specify icmpv6, use a set of IP permissions.

[VPC only] Use -1 to specify all protocols. If you specify -1 or a protocol other than tcp, udp, or icmp, traffic on all ports is allowed, regardless of any ports you specify.

Alternatively, use a set of IP permissions to specify multiple rules and a description for the rule.

' + schema: + type: string + - name: SourceSecurityGroupName + in: query + required: false + description: '[EC2-Classic, default VPC] The name of the source security group. You can''t specify this parameter in combination with the following parameters: the CIDR IP address range, the start of the port range, the IP protocol, and the end of the port range. Creates rules that grant full ICMP, UDP, and TCP access. To create a rule with a specific IP protocol and port range, use a set of IP permissions instead. For EC2-VPC, the source security group must be in the same VPC.' + schema: + type: string + - name: SourceSecurityGroupOwnerId + in: query + required: false + description: '[nondefault VPC] The Amazon Web Services account ID for the source security group, if the source security group is in a different account. You can''t specify this parameter in combination with the following parameters: the CIDR IP address range, the IP protocol, the start of the port range, and the end of the port range. Creates rules that grant full ICMP, UDP, and TCP access. To create a rule with a specific IP protocol and port range, use a set of IP permissions instead.' + schema: + type: string + - name: ToPort + in: query + required: false + description: '

The end of port range for the TCP and UDP protocols, or an ICMP code number. For the ICMP code number, use -1 to specify all codes. If you specify all ICMP types, you must specify all codes.

Alternatively, use a set of IP permissions to specify multiple rules and a description for the rule.

' + schema: + type: integer + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: '[VPC Only] The tags applied to the security group rule.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: AuthorizeSecurityGroupIngress + operationId: POST_AuthorizeSecurityGroupIngress + description: '

Adds the specified inbound (ingress) rules to a security group.

An inbound rule permits instances to receive traffic from the specified IPv4 or IPv6 CIDR address range, or from the instances that are associated with the specified destination security groups.

You specify a protocol for each rule (for example, TCP). For TCP and UDP, you must also specify the destination port or port range. For ICMP/ICMPv6, you must also specify the ICMP/ICMPv6 type and code. You can use -1 to mean all types or all codes.

Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur.

For more information about VPC security group quotas, see Amazon VPC quotas.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeSecurityGroupIngressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/AuthorizeSecurityGroupIngressRequest' + parameters: [] + /?Action=BundleInstance&Version=2016-11-15: + get: + x-aws-operation-name: BundleInstance + operationId: GET_BundleInstance + description: '

Bundles an Amazon instance store-backed Windows instance.

During bundling, only the root device volume (C:\) is bundled. Data on other instance store volumes is not preserved.

This action is not applicable for Linux/Unix instances or Windows instances that are backed by Amazon EBS.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/BundleInstanceResult' + parameters: + - name: InstanceId + in: query + required: true + description: '

The ID of the instance to bundle.

Type: String

Default: None

Required: Yes

' + schema: + type: string + - name: Storage + in: query + required: true + description: 'The bucket in which to store the AMI. You can specify a bucket that you already own or a new bucket that Amazon EC2 creates on your behalf. If you specify a bucket that belongs to someone else, Amazon EC2 returns an error.' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/S3Storage' + - description: An Amazon S3 storage location. + description: Describes the storage location for an instance store-backed AMI. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: BundleInstance + operationId: POST_BundleInstance + description: '

Bundles an Amazon instance store-backed Windows instance.

During bundling, only the root device volume (C:\) is bundled. Data on other instance store volumes is not preserved.

This action is not applicable for Linux/Unix instances or Windows instances that are backed by Amazon EBS.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/BundleInstanceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/BundleInstanceRequest' + parameters: [] + /?Action=CancelBundleTask&Version=2016-11-15: + get: + x-aws-operation-name: CancelBundleTask + operationId: GET_CancelBundleTask + description: Cancels a bundling operation for an instance store-backed Windows instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelBundleTaskResult' + parameters: + - name: BundleId + in: query + required: true + description: The ID of the bundle task. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelBundleTask + operationId: POST_CancelBundleTask + description: Cancels a bundling operation for an instance store-backed Windows instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelBundleTaskResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelBundleTaskRequest' + parameters: [] + /?Action=CancelCapacityReservation&Version=2016-11-15: + get: + x-aws-operation-name: CancelCapacityReservation + operationId: GET_CancelCapacityReservation + description: '

Cancels the specified Capacity Reservation, releases the reserved capacity, and changes the Capacity Reservation''s state to cancelled.

Instances running in the reserved capacity continue running until you stop them. Stopped instances that target the Capacity Reservation can no longer launch. Modify these instances to either target a different Capacity Reservation, launch On-Demand Instance capacity, or run in any open Capacity Reservation that has matching attributes and sufficient capacity.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelCapacityReservationResult' + parameters: + - name: CapacityReservationId + in: query + required: true + description: The ID of the Capacity Reservation to be cancelled. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelCapacityReservation + operationId: POST_CancelCapacityReservation + description: '

Cancels the specified Capacity Reservation, releases the reserved capacity, and changes the Capacity Reservation''s state to cancelled.

Instances running in the reserved capacity continue running until you stop them. Stopped instances that target the Capacity Reservation can no longer launch. Modify these instances to either target a different Capacity Reservation, launch On-Demand Instance capacity, or run in any open Capacity Reservation that has matching attributes and sufficient capacity.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelCapacityReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelCapacityReservationRequest' + parameters: [] + /?Action=CancelCapacityReservationFleets&Version=2016-11-15: + get: + x-aws-operation-name: CancelCapacityReservationFleets + operationId: GET_CancelCapacityReservationFleets + description: '

Cancels one or more Capacity Reservation Fleets. When you cancel a Capacity Reservation Fleet, the following happens:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelCapacityReservationFleetsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: CapacityReservationFleetId + in: query + required: true + description: The IDs of the Capacity Reservation Fleets to cancel. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelCapacityReservationFleets + operationId: POST_CancelCapacityReservationFleets + description: '

Cancels one or more Capacity Reservation Fleets. When you cancel a Capacity Reservation Fleet, the following happens:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelCapacityReservationFleetsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelCapacityReservationFleetsRequest' + parameters: [] + /?Action=CancelConversionTask&Version=2016-11-15: + get: + x-aws-operation-name: CancelConversionTask + operationId: GET_CancelConversionTask + description: '

Cancels an active conversion task. The task can be the import of an instance or volume. The action removes all artifacts of the conversion, including a partially uploaded volume or instance. If the conversion is complete or is in the process of transferring the final disk image, the command fails and returns an exception.

For more information, see Importing a Virtual Machine Using the Amazon EC2 CLI.

' + responses: + '200': + description: Success + parameters: + - name: ConversionTaskId + in: query + required: true + description: The ID of the conversion task. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ReasonMessage + in: query + required: false + description: The reason for canceling the conversion task. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelConversionTask + operationId: POST_CancelConversionTask + description: '

Cancels an active conversion task. The task can be the import of an instance or volume. The action removes all artifacts of the conversion, including a partially uploaded volume or instance. If the conversion is complete or is in the process of transferring the final disk image, the command fails and returns an exception.

For more information, see Importing a Virtual Machine Using the Amazon EC2 CLI.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelConversionRequest' + parameters: [] + /?Action=CancelExportTask&Version=2016-11-15: + get: + x-aws-operation-name: CancelExportTask + operationId: GET_CancelExportTask + description: 'Cancels an active export task. The request removes all artifacts of the export, including any partially-created Amazon S3 objects. If the export task is complete or is in the process of transferring the final disk image, the command fails and returns an error.' + responses: + '200': + description: Success + parameters: + - name: ExportTaskId + in: query + required: true + description: The ID of the export task. This is the ID returned by CreateInstanceExportTask. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelExportTask + operationId: POST_CancelExportTask + description: 'Cancels an active export task. The request removes all artifacts of the export, including any partially-created Amazon S3 objects. If the export task is complete or is in the process of transferring the final disk image, the command fails and returns an error.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelExportTaskRequest' + parameters: [] + /?Action=CancelImportTask&Version=2016-11-15: + get: + x-aws-operation-name: CancelImportTask + operationId: GET_CancelImportTask + description: Cancels an in-process import virtual machine or import snapshot task. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelImportTaskResult' + parameters: + - name: CancelReason + in: query + required: false + description: The reason for canceling the task. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ImportTaskId + in: query + required: false + description: The ID of the import image or import snapshot task to be canceled. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelImportTask + operationId: POST_CancelImportTask + description: Cancels an in-process import virtual machine or import snapshot task. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelImportTaskResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelImportTaskRequest' + parameters: [] + /?Action=CancelReservedInstancesListing&Version=2016-11-15: + get: + x-aws-operation-name: CancelReservedInstancesListing + operationId: GET_CancelReservedInstancesListing + description: '

Cancels the specified Reserved Instance listing in the Reserved Instance Marketplace.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelReservedInstancesListingResult' + parameters: + - name: ReservedInstancesListingId + in: query + required: true + description: The ID of the Reserved Instance listing. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelReservedInstancesListing + operationId: POST_CancelReservedInstancesListing + description: '

Cancels the specified Reserved Instance listing in the Reserved Instance Marketplace.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelReservedInstancesListingResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelReservedInstancesListingRequest' + parameters: [] + /?Action=CancelSpotFleetRequests&Version=2016-11-15: + get: + x-aws-operation-name: CancelSpotFleetRequests + operationId: GET_CancelSpotFleetRequests + description: '

Cancels the specified Spot Fleet requests.

After you cancel a Spot Fleet request, the Spot Fleet launches no new Spot Instances. You must specify whether the Spot Fleet should also terminate its Spot Instances. If you terminate the instances, the Spot Fleet request enters the cancelled_terminating state. Otherwise, the Spot Fleet request enters the cancelled_running state and the instances continue to run until they are interrupted or you terminate them manually.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelSpotFleetRequestsResponse' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SpotFleetRequestId + in: query + required: true + description: The IDs of the Spot Fleet requests. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestId' + - xml: + name: item + - name: TerminateInstances + in: query + required: true + description: Indicates whether to terminate instances for a Spot Fleet request if it is canceled successfully. + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelSpotFleetRequests + operationId: POST_CancelSpotFleetRequests + description: '

Cancels the specified Spot Fleet requests.

After you cancel a Spot Fleet request, the Spot Fleet launches no new Spot Instances. You must specify whether the Spot Fleet should also terminate its Spot Instances. If you terminate the instances, the Spot Fleet request enters the cancelled_terminating state. Otherwise, the Spot Fleet request enters the cancelled_running state and the instances continue to run until they are interrupted or you terminate them manually.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelSpotFleetRequestsResponse' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelSpotFleetRequestsRequest' + parameters: [] + /?Action=CancelSpotInstanceRequests&Version=2016-11-15: + get: + x-aws-operation-name: CancelSpotInstanceRequests + operationId: GET_CancelSpotInstanceRequests + description:

Cancels one or more Spot Instance requests.

Canceling a Spot Instance request does not terminate running Spot Instances associated with the request.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelSpotInstanceRequestsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SpotInstanceRequestId + in: query + required: true + description: One or more Spot Instance request IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequestId' + - xml: + name: SpotInstanceRequestId + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CancelSpotInstanceRequests + operationId: POST_CancelSpotInstanceRequests + description:

Cancels one or more Spot Instance requests.

Canceling a Spot Instance request does not terminate running Spot Instances associated with the request.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelSpotInstanceRequestsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CancelSpotInstanceRequestsRequest' + parameters: [] + /?Action=ConfirmProductInstance&Version=2016-11-15: + get: + x-aws-operation-name: ConfirmProductInstance + operationId: GET_ConfirmProductInstance + description: Determines whether a product code is associated with an instance. This action can only be used by the owner of the product code. It is useful when a product code owner must verify whether another user's instance is eligible for support. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ConfirmProductInstanceResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: ProductCode + in: query + required: true + description: The product code. This must be a product code that you own. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ConfirmProductInstance + operationId: POST_ConfirmProductInstance + description: Determines whether a product code is associated with an instance. This action can only be used by the owner of the product code. It is useful when a product code owner must verify whether another user's instance is eligible for support. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ConfirmProductInstanceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ConfirmProductInstanceRequest' + parameters: [] + /?Action=CopyFpgaImage&Version=2016-11-15: + get: + x-aws-operation-name: CopyFpgaImage + operationId: GET_CopyFpgaImage + description: Copies the specified Amazon FPGA Image (AFI) to the current Region. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyFpgaImageResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SourceFpgaImageId + in: query + required: true + description: The ID of the source AFI. + schema: + type: string + - name: Description + in: query + required: false + description: The description for the new AFI. + schema: + type: string + - name: Name + in: query + required: false + description: The name for the new AFI. The default is the name of the source AFI. + schema: + type: string + - name: SourceRegion + in: query + required: true + description: The Region that contains the source AFI. + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CopyFpgaImage + operationId: POST_CopyFpgaImage + description: Copies the specified Amazon FPGA Image (AFI) to the current Region. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyFpgaImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyFpgaImageRequest' + parameters: [] + /?Action=CopyImage&Version=2016-11-15: + get: + x-aws-operation-name: CopyImage + operationId: GET_CopyImage + description: '

Initiates the copy of an AMI. You can copy an AMI from one Region to another, or from a Region to an Outpost. You can''t copy an AMI from an Outpost to a Region, from one Outpost to another, or within the same Outpost. To copy an AMI to another partition, see CreateStoreImageTask.

To copy an AMI from one Region to another, specify the source Region using the SourceRegion parameter, and specify the destination Region using its endpoint. Copies of encrypted backing snapshots for the AMI are encrypted. Copies of unencrypted backing snapshots remain unencrypted, unless you set Encrypted during the copy operation. You cannot create an unencrypted copy of an encrypted backing snapshot.

To copy an AMI from a Region to an Outpost, specify the source Region using the SourceRegion parameter, and specify the ARN of the destination Outpost using DestinationOutpostArn. Backing snapshots copied to an Outpost are encrypted by default using the default encryption key for the Region, or a different key that you specify in the request using KmsKeyId. Outposts do not support unencrypted snapshots. For more information, Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.

For more information about the prerequisites and limits when copying an AMI, see Copying an AMI in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyImageResult' + parameters: + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier you provide to ensure idempotency of the request. For more information, see Ensuring idempotency in the Amazon EC2 API Reference.' + schema: + type: string + - name: Description + in: query + required: false + description: A description for the new AMI in the destination Region. + schema: + type: string + - name: Encrypted + in: query + required: false + description: 'Specifies whether the destination snapshots of the copied image should be encrypted. You can encrypt a copy of an unencrypted snapshot, but you cannot create an unencrypted copy of an encrypted snapshot. The default KMS key for Amazon EBS is used unless you specify a non-default Key Management Service (KMS) KMS key using KmsKeyId. For more information, see Amazon EBS Encryption in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: boolean + - name: KmsKeyId + in: query + required: false + description: '

The identifier of the symmetric Key Management Service (KMS) KMS key to use when creating encrypted volumes. If this parameter is not specified, your Amazon Web Services managed KMS key for Amazon EBS is used. If you specify a KMS key, you must also set the encrypted state to true.

You can specify a KMS key using any of the following:

Amazon Web Services authenticates the KMS key asynchronously. Therefore, if you specify an identifier that is not valid, the action can appear to complete, but eventually fails.

The specified KMS key must exist in the destination Region.

Amazon EBS does not support asymmetric KMS keys.

' + schema: + type: string + - name: Name + in: query + required: true + description: The name of the new AMI in the destination Region. + schema: + type: string + - name: SourceImageId + in: query + required: true + description: The ID of the AMI to copy. + schema: + type: string + - name: SourceRegion + in: query + required: true + description: The name of the Region that contains the AMI to copy. + schema: + type: string + - name: DestinationOutpostArn + in: query + required: false + description: '

The Amazon Resource Name (ARN) of the Outpost to which to copy the AMI. Only specify this parameter when copying an AMI from an Amazon Web Services Region to an Outpost. The AMI must be in the Region of the destination Outpost. You cannot copy an AMI from an Outpost to a Region, from one Outpost to another, or within the same Outpost.

For more information, see Copying AMIs from an Amazon Web Services Region to an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CopyImage + operationId: POST_CopyImage + description: '

Initiates the copy of an AMI. You can copy an AMI from one Region to another, or from a Region to an Outpost. You can''t copy an AMI from an Outpost to a Region, from one Outpost to another, or within the same Outpost. To copy an AMI to another partition, see CreateStoreImageTask.

To copy an AMI from one Region to another, specify the source Region using the SourceRegion parameter, and specify the destination Region using its endpoint. Copies of encrypted backing snapshots for the AMI are encrypted. Copies of unencrypted backing snapshots remain unencrypted, unless you set Encrypted during the copy operation. You cannot create an unencrypted copy of an encrypted backing snapshot.

To copy an AMI from a Region to an Outpost, specify the source Region using the SourceRegion parameter, and specify the ARN of the destination Outpost using DestinationOutpostArn. Backing snapshots copied to an Outpost are encrypted by default using the default encryption key for the Region, or a different key that you specify in the request using KmsKeyId. Outposts do not support unencrypted snapshots. For more information, Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.

For more information about the prerequisites and limits when copying an AMI, see Copying an AMI in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyImageRequest' + parameters: [] + /?Action=CopySnapshot&Version=2016-11-15: + get: + x-aws-operation-name: CopySnapshot + operationId: GET_CopySnapshot + description: '

Copies a point-in-time snapshot of an EBS volume and stores it in Amazon S3. You can copy a snapshot within the same Region, from one Region to another, or from a Region to an Outpost. You can''t copy a snapshot from an Outpost to a Region, from one Outpost to another, or within the same Outpost.

You can use the snapshot to create EBS volumes or Amazon Machine Images (AMIs).

When copying snapshots to a Region, copies of encrypted EBS snapshots remain encrypted. Copies of unencrypted snapshots remain unencrypted, unless you enable encryption for the snapshot copy operation. By default, encrypted snapshot copies use the default Key Management Service (KMS) KMS key; however, you can specify a different KMS key. To copy an encrypted snapshot that has been shared from another account, you must have permissions for the KMS key used to encrypt the snapshot.

Snapshots copied to an Outpost are encrypted by default using the default encryption key for the Region, or a different key that you specify in the request using KmsKeyId. Outposts do not support unencrypted snapshots. For more information, Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.

Snapshots created by copying another snapshot have an arbitrary volume ID that should not be used for any purpose.

For more information, see Copy an Amazon EBS snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopySnapshotResult' + parameters: + - name: Description + in: query + required: false + description: A description for the EBS snapshot. + schema: + type: string + - name: DestinationOutpostArn + in: query + required: false + description: '

The Amazon Resource Name (ARN) of the Outpost to which to copy the snapshot. Only specify this parameter when copying a snapshot from an Amazon Web Services Region to an Outpost. The snapshot must be in the Region for the destination Outpost. You cannot copy a snapshot from an Outpost to a Region, from one Outpost to another, or within the same Outpost.

For more information, see Copy snapshots from an Amazon Web Services Region to an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + schema: + type: string + - name: DestinationRegion + in: query + required: false + description: '

The destination Region to use in the PresignedUrl parameter of a snapshot copy operation. This parameter is only valid for specifying the destination Region in a PresignedUrl parameter, where it is required.

The snapshot copy is sent to the regional endpoint that you sent the HTTP request to (for example, ec2.us-east-1.amazonaws.com). With the CLI, this is specified using the --region parameter or the default Region in your Amazon Web Services configuration file.

' + schema: + type: string + - name: Encrypted + in: query + required: false + description: 'To encrypt a copy of an unencrypted snapshot if encryption by default is not enabled, enable encryption using this parameter. Otherwise, omit this parameter. Encrypted snapshots are encrypted, even if you omit this parameter and encryption by default is not enabled. You cannot set this parameter to false. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: boolean + - name: KmsKeyId + in: query + required: false + description: '

The identifier of the Key Management Service (KMS) KMS key to use for Amazon EBS encryption. If this parameter is not specified, your KMS key for Amazon EBS is used. If KmsKeyId is specified, the encrypted state must be true.

You can specify the KMS key using any of the following:

Amazon Web Services authenticates the KMS key asynchronously. Therefore, if you specify an ID, alias, or ARN that is not valid, the action can appear to complete, but eventually fails.

' + schema: + type: string + - name: PresignedUrl + in: query + required: false + description: '

When you copy an encrypted source snapshot using the Amazon EC2 Query API, you must supply a pre-signed URL. This parameter is optional for unencrypted snapshots. For more information, see Query requests.

The PresignedUrl should use the snapshot source endpoint, the CopySnapshot action, and include the SourceRegion, SourceSnapshotId, and DestinationRegion parameters. The PresignedUrl must be signed using Amazon Web Services Signature Version 4. Because EBS snapshots are stored in Amazon S3, the signing algorithm for this parameter uses the same logic that is described in Authenticating Requests: Using Query Parameters (Amazon Web Services Signature Version 4) in the Amazon Simple Storage Service API Reference. An invalid or improperly signed PresignedUrl will cause the copy operation to fail asynchronously, and the snapshot will move to an error state.

' + schema: + type: string + - name: SourceRegion + in: query + required: true + description: The ID of the Region that contains the snapshot to be copied. + schema: + type: string + - name: SourceSnapshotId + in: query + required: true + description: The ID of the EBS snapshot to copy. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the new snapshot. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CopySnapshot + operationId: POST_CopySnapshot + description: '

Copies a point-in-time snapshot of an EBS volume and stores it in Amazon S3. You can copy a snapshot within the same Region, from one Region to another, or from a Region to an Outpost. You can''t copy a snapshot from an Outpost to a Region, from one Outpost to another, or within the same Outpost.

You can use the snapshot to create EBS volumes or Amazon Machine Images (AMIs).

When copying snapshots to a Region, copies of encrypted EBS snapshots remain encrypted. Copies of unencrypted snapshots remain unencrypted, unless you enable encryption for the snapshot copy operation. By default, encrypted snapshot copies use the default Key Management Service (KMS) KMS key; however, you can specify a different KMS key. To copy an encrypted snapshot that has been shared from another account, you must have permissions for the KMS key used to encrypt the snapshot.

Snapshots copied to an Outpost are encrypted by default using the default encryption key for the Region, or a different key that you specify in the request using KmsKeyId. Outposts do not support unencrypted snapshots. For more information, Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.

Snapshots created by copying another snapshot have an arbitrary volume ID that should not be used for any purpose.

For more information, see Copy an Amazon EBS snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopySnapshotResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CopySnapshotRequest' + parameters: [] + /?Action=CreateCapacityReservation&Version=2016-11-15: + get: + x-aws-operation-name: CreateCapacityReservation + operationId: GET_CreateCapacityReservation + description: '

Creates a new Capacity Reservation with the specified attributes.

Capacity Reservations enable you to reserve capacity for your Amazon EC2 instances in a specific Availability Zone for any duration. This gives you the flexibility to selectively add capacity reservations and still get the Regional RI discounts for that usage. By creating Capacity Reservations, you ensure that you always have access to Amazon EC2 capacity when you need it, for as long as you need it. For more information, see Capacity Reservations in the Amazon EC2 User Guide.

Your request to create a Capacity Reservation could fail if Amazon EC2 does not have sufficient capacity to fulfill the request. If your request fails due to Amazon EC2 capacity constraints, either try again at a later time, try in a different Availability Zone, or request a smaller capacity reservation. If your application is flexible across instance types and sizes, try to create a Capacity Reservation with different instance attributes.

Your request could also fail if the requested quantity exceeds your On-Demand Instance limit for the selected instance type. If your request fails due to limit constraints, increase your On-Demand Instance limit for the required instance type and try again. For more information about increasing your instance limits, see Amazon EC2 Service Quotas in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCapacityReservationResult' + parameters: + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensure Idempotency.' + schema: + type: string + - name: InstanceType + in: query + required: true + description: 'The instance type for which to reserve capacity. For more information, see Instance types in the Amazon EC2 User Guide.' + schema: + type: string + - name: InstancePlatform + in: query + required: true + description: The type of operating system for which to reserve capacity. + schema: + type: string + enum: + - Linux/UNIX + - Red Hat Enterprise Linux + - SUSE Linux + - Windows + - Windows with SQL Server + - Windows with SQL Server Enterprise + - Windows with SQL Server Standard + - Windows with SQL Server Web + - Linux with SQL Server Standard + - Linux with SQL Server Web + - Linux with SQL Server Enterprise + - RHEL with SQL Server Standard + - RHEL with SQL Server Enterprise + - RHEL with SQL Server Web + - RHEL with HA + - RHEL with HA and SQL Server Standard + - RHEL with HA and SQL Server Enterprise + - name: AvailabilityZone + in: query + required: false + description: The Availability Zone in which to create the Capacity Reservation. + schema: + type: string + - name: AvailabilityZoneId + in: query + required: false + description: The ID of the Availability Zone in which to create the Capacity Reservation. + schema: + type: string + - name: Tenancy + in: query + required: false + description: '

Indicates the tenancy of the Capacity Reservation. A Capacity Reservation can have one of the following tenancy settings:

' + schema: + type: string + enum: + - default + - dedicated + - name: InstanceCount + in: query + required: true + description: '

The number of instances for which to reserve capacity.

Valid range: 1 - 1000

' + schema: + type: integer + - name: EbsOptimized + in: query + required: false + description: Indicates whether the Capacity Reservation supports EBS-optimized instances. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal I/O performance. This optimization isn't available with all instance types. Additional usage charges apply when using an EBS- optimized instance. + schema: + type: boolean + - name: EphemeralStorage + in: query + required: false + description: 'Indicates whether the Capacity Reservation supports instances with temporary, block-level storage.' + schema: + type: boolean + - name: EndDate + in: query + required: false + description: '

The date and time at which the Capacity Reservation expires. When a Capacity Reservation expires, the reserved capacity is released and you can no longer launch instances into it. The Capacity Reservation''s state changes to expired when it reaches its end date and time.

You must provide an EndDate value if EndDateType is limited. Omit EndDate if EndDateType is unlimited.

If the EndDateType is limited, the Capacity Reservation is cancelled within an hour from the specified time. For example, if you specify 5/31/2019, 13:30:55, the Capacity Reservation is guaranteed to end between 13:30:55 and 14:30:55 on 5/31/2019.

' + schema: + type: string + format: date-time + - name: EndDateType + in: query + required: false + description: '

Indicates the way in which the Capacity Reservation ends. A Capacity Reservation can have one of the following end types:

' + schema: + type: string + enum: + - unlimited + - limited + - name: InstanceMatchCriteria + in: query + required: false + description: '

Indicates the type of instance launches that the Capacity Reservation accepts. The options include:

Default: open

' + schema: + type: string + enum: + - open + - targeted + - name: TagSpecifications + in: query + required: false + description: The tags to apply to the Capacity Reservation during launch. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: OutpostArn + in: query + required: false + description: The Amazon Resource Name (ARN) of the Outpost on which to create the Capacity Reservation. + schema: + type: string + pattern: '^arn:aws([a-z-]+)?:outposts:[a-z\d-]+:\d{12}:outpost/op-[a-f0-9]{17}$' + - name: PlacementGroupArn + in: query + required: false + description: 'The Amazon Resource Name (ARN) of the cluster placement group in which to create the Capacity Reservation. For more information, see Capacity Reservations for cluster placement groups in the Amazon EC2 User Guide.' + schema: + type: string + pattern: '^arn:aws([a-z-]+)?:ec2:[a-z\d-]+:\d{12}:placement-group/([^\s].+[^\s]){1,255}$' + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateCapacityReservation + operationId: POST_CreateCapacityReservation + description: '

Creates a new Capacity Reservation with the specified attributes.

Capacity Reservations enable you to reserve capacity for your Amazon EC2 instances in a specific Availability Zone for any duration. This gives you the flexibility to selectively add capacity reservations and still get the Regional RI discounts for that usage. By creating Capacity Reservations, you ensure that you always have access to Amazon EC2 capacity when you need it, for as long as you need it. For more information, see Capacity Reservations in the Amazon EC2 User Guide.

Your request to create a Capacity Reservation could fail if Amazon EC2 does not have sufficient capacity to fulfill the request. If your request fails due to Amazon EC2 capacity constraints, either try again at a later time, try in a different Availability Zone, or request a smaller capacity reservation. If your application is flexible across instance types and sizes, try to create a Capacity Reservation with different instance attributes.

Your request could also fail if the requested quantity exceeds your On-Demand Instance limit for the selected instance type. If your request fails due to limit constraints, increase your On-Demand Instance limit for the required instance type and try again. For more information about increasing your instance limits, see Amazon EC2 Service Quotas in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCapacityReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCapacityReservationRequest' + parameters: [] + /?Action=CreateCapacityReservationFleet&Version=2016-11-15: + get: + x-aws-operation-name: CreateCapacityReservationFleet + operationId: GET_CreateCapacityReservationFleet + description: 'Creates a Capacity Reservation Fleet. For more information, see Create a Capacity Reservation Fleet in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCapacityReservationFleetResult' + parameters: + - name: AllocationStrategy + in: query + required: false + description: '

The strategy used by the Capacity Reservation Fleet to determine which of the specified instance types to use. Currently, only the prioritized allocation strategy is supported. For more information, see Allocation strategy in the Amazon EC2 User Guide.

Valid values: prioritized

' + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensure Idempotency.' + schema: + type: string + - name: InstanceTypeSpecification + in: query + required: true + description: Information about the instance types for which to reserve the capacity. + schema: + type: array + items: + $ref: '#/components/schemas/ReservationFleetInstanceSpecification' + - name: Tenancy + in: query + required: false + description: '

Indicates the tenancy of the Capacity Reservation Fleet. All Capacity Reservations in the Fleet inherit this tenancy. The Capacity Reservation Fleet can have one of the following tenancy settings:

' + schema: + type: string + enum: + - default + - name: TotalTargetCapacity + in: query + required: true + description: 'The total number of capacity units to be reserved by the Capacity Reservation Fleet. This value, together with the instance type weights that you assign to each instance type used by the Fleet determine the number of instances for which the Fleet reserves capacity. Both values are based on units that make sense for your workload. For more information, see Total target capacity in the Amazon EC2 User Guide.' + schema: + type: integer + - name: EndDate + in: query + required: false + description: '

The date and time at which the Capacity Reservation Fleet expires. When the Capacity Reservation Fleet expires, its state changes to expired and all of the Capacity Reservations in the Fleet expire.

The Capacity Reservation Fleet expires within an hour after the specified time. For example, if you specify 5/31/2019, 13:30:55, the Capacity Reservation Fleet is guaranteed to expire between 13:30:55 and 14:30:55 on 5/31/2019.

' + schema: + type: string + format: date-time + - name: InstanceMatchCriteria + in: query + required: false + description: '

Indicates the type of instance launches that the Capacity Reservation Fleet accepts. All Capacity Reservations in the Fleet inherit this instance matching criteria.

Currently, Capacity Reservation Fleets support open instance matching criteria only. This means that instances that have matching attributes (instance type, platform, and Availability Zone) run in the Capacity Reservations automatically. Instances do not need to explicitly target a Capacity Reservation Fleet to use its reserved capacity.

' + schema: + type: string + enum: + - open + - name: TagSpecification + in: query + required: false + description: The tags to assign to the Capacity Reservation Fleet. The tags are automatically assigned to the Capacity Reservations in the Fleet. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateCapacityReservationFleet + operationId: POST_CreateCapacityReservationFleet + description: 'Creates a Capacity Reservation Fleet. For more information, see Create a Capacity Reservation Fleet in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCapacityReservationFleetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCapacityReservationFleetRequest' + parameters: [] + /?Action=CreateCarrierGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateCarrierGateway + operationId: GET_CreateCarrierGateway + description: 'Creates a carrier gateway. For more information about carrier gateways, see Carrier gateways in the Amazon Web Services Wavelength Developer Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCarrierGatewayResult' + parameters: + - name: VpcId + in: query + required: true + description: The ID of the VPC to associate with the carrier gateway. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to associate with the carrier gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateCarrierGateway + operationId: POST_CreateCarrierGateway + description: 'Creates a carrier gateway. For more information about carrier gateways, see Carrier gateways in the Amazon Web Services Wavelength Developer Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCarrierGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCarrierGatewayRequest' + parameters: [] + /?Action=CreateClientVpnEndpoint&Version=2016-11-15: + get: + x-aws-operation-name: CreateClientVpnEndpoint + operationId: GET_CreateClientVpnEndpoint + description: Creates a Client VPN endpoint. A Client VPN endpoint is the resource you create and configure to enable and manage client VPN sessions. It is the destination endpoint at which all client VPN sessions are terminated. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateClientVpnEndpointResult' + parameters: + - name: ClientCidrBlock + in: query + required: true + description: 'The IPv4 address range, in CIDR notation, from which to assign client IP addresses. The address range cannot overlap with the local CIDR of the VPC in which the associated subnet is located, or the routes that you add manually. The address range cannot be changed after the Client VPN endpoint has been created. The CIDR block should be /22 or greater.' + schema: + type: string + - name: ServerCertificateArn + in: query + required: true + description: 'The ARN of the server certificate. For more information, see the Certificate Manager User Guide.' + schema: + type: string + - name: Authentication + in: query + required: true + description: Information about the authentication method to be used to authenticate clients. + schema: + type: array + items: + $ref: '#/components/schemas/ClientVpnAuthenticationRequest' + - name: ConnectionLogOptions + in: query + required: true + description: '

Information about the client connection logging options.

If you enable client connection logging, data about client connections is sent to a Cloudwatch Logs log stream. The following information is logged:

' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the CloudWatch Logs log stream to which the connection data is published. + description: Describes the client connection logging options for the Client VPN endpoint. + - name: DnsServers + in: query + required: false + description: 'Information about the DNS servers to be used for DNS resolution. A Client VPN endpoint can have up to two DNS servers. If no DNS server is specified, the DNS address configured on the device is used for the DNS server.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: TransportProtocol + in: query + required: false + description: '

The transport protocol to be used by the VPN session.

Default value: udp

' + schema: + type: string + enum: + - tcp + - udp + - name: VpnPort + in: query + required: false + description: '

The port number to assign to the Client VPN endpoint for TCP and UDP traffic.

Valid Values: 443 | 1194

Default Value: 443

' + schema: + type: integer + - name: Description + in: query + required: false + description: A brief description of the Client VPN endpoint. + schema: + type: string + - name: SplitTunnel + in: query + required: false + description: '

Indicates whether split-tunnel is enabled on the Client VPN endpoint.

By default, split-tunnel on a VPN endpoint is disabled.

For information about split-tunnel VPN endpoints, see Split-tunnel Client VPN endpoint in the Client VPN Administrator Guide.

' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the Client VPN endpoint during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: SecurityGroupId + in: query + required: false + description: The IDs of one or more security groups to apply to the target network. You must also specify the ID of the VPC that contains the security groups. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + - name: VpcId + in: query + required: false + description: 'The ID of the VPC to associate with the Client VPN endpoint. If no security group IDs are specified in the request, the default security group for the VPC is applied.' + schema: + type: string + - name: SelfServicePortal + in: query + required: false + description: '

Specify whether to enable the self-service portal for the Client VPN endpoint.

Default Value: enabled

' + schema: + type: string + enum: + - enabled + - disabled + - name: ClientConnectOptions + in: query + required: false + description: The options for managing connection authorization for new client connections. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Lambda function used for connection authorization. + description: The options for managing connection authorization for new client connections. + - name: SessionTimeoutHours + in: query + required: false + description: '

The maximum VPN session duration time in hours.

Valid values: 8 | 10 | 12 | 24

Default value: 24

' + schema: + type: integer + - name: ClientLoginBannerOptions + in: query + required: false + description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: Customizable text that will be displayed in a banner on Amazon Web Services provided clients when a VPN session is established. UTF-8 encoded characters only. Maximum of 1400 characters. + description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateClientVpnEndpoint + operationId: POST_CreateClientVpnEndpoint + description: Creates a Client VPN endpoint. A Client VPN endpoint is the resource you create and configure to enable and manage client VPN sessions. It is the destination endpoint at which all client VPN sessions are terminated. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateClientVpnEndpointResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateClientVpnEndpointRequest' + parameters: [] + /?Action=CreateClientVpnRoute&Version=2016-11-15: + get: + x-aws-operation-name: CreateClientVpnRoute + operationId: GET_CreateClientVpnRoute + description: Adds a route to a network to a Client VPN endpoint. Each Client VPN endpoint has a route table that describes the available destination network routes. Each route in the route table specifies the path for traffic to specific resources or networks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateClientVpnRouteResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint to which to add the route. + schema: + type: string + - name: DestinationCidrBlock + in: query + required: true + description: '

The IPv4 address range, in CIDR notation, of the route destination. For example:

' + schema: + type: string + - name: TargetVpcSubnetId + in: query + required: true + description: '

The ID of the subnet through which you want to route traffic. The specified subnet must be an existing target network of the Client VPN endpoint.

Alternatively, if you''re adding a route for the local network, specify local.

' + schema: + type: string + - name: Description + in: query + required: false + description: A brief description of the route. + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateClientVpnRoute + operationId: POST_CreateClientVpnRoute + description: Adds a route to a network to a Client VPN endpoint. Each Client VPN endpoint has a route table that describes the available destination network routes. Each route in the route table specifies the path for traffic to specific resources or networks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateClientVpnRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateClientVpnRouteRequest' + parameters: [] + /?Action=CreateCustomerGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateCustomerGateway + operationId: GET_CreateCustomerGateway + description: '

Provides information to Amazon Web Services about your VPN customer gateway device. The customer gateway is the appliance at your end of the VPN connection. (The device on the Amazon Web Services side of the VPN connection is the virtual private gateway.) You must provide the internet-routable IP address of the customer gateway''s external interface. The IP address must be static and can be behind a device performing network address translation (NAT).

For devices that use Border Gateway Protocol (BGP), you can also provide the device''s BGP Autonomous System Number (ASN). You can use an existing ASN assigned to your network. If you don''t have an ASN already, you can use a private ASN. For more information, see Customer gateway options for your Site-to-Site VPN connection in the Amazon Web Services Site-to-Site VPN User Guide.

To create more than one customer gateway with the same VPN type, IP address, and BGP ASN, specify a unique device name for each customer gateway. An identical request returns information about the existing customer gateway; it doesn''t create a new customer gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCustomerGatewayResult' + parameters: + - name: BgpAsn + in: query + required: true + description: '

For devices that support BGP, the customer gateway''s BGP ASN.

Default: 65000

' + schema: + type: integer + - name: IpAddress + in: query + required: false + description: The Internet-routable IP address for the customer gateway's outside interface. The address must be static. + schema: + type: string + - name: CertificateArn + in: query + required: false + description: The Amazon Resource Name (ARN) for the customer gateway certificate. + schema: + type: string + - name: Type + in: query + required: true + description: The type of VPN connection that this customer gateway supports (ipsec.1). + schema: + type: string + enum: + - ipsec.1 + - name: TagSpecification + in: query + required: false + description: The tags to apply to the customer gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DeviceName + in: query + required: false + description: '

A name for the customer gateway device.

Length Constraints: Up to 255 characters.

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateCustomerGateway + operationId: POST_CreateCustomerGateway + description: '

Provides information to Amazon Web Services about your VPN customer gateway device. The customer gateway is the appliance at your end of the VPN connection. (The device on the Amazon Web Services side of the VPN connection is the virtual private gateway.) You must provide the internet-routable IP address of the customer gateway''s external interface. The IP address must be static and can be behind a device performing network address translation (NAT).

For devices that use Border Gateway Protocol (BGP), you can also provide the device''s BGP Autonomous System Number (ASN). You can use an existing ASN assigned to your network. If you don''t have an ASN already, you can use a private ASN. For more information, see Customer gateway options for your Site-to-Site VPN connection in the Amazon Web Services Site-to-Site VPN User Guide.

To create more than one customer gateway with the same VPN type, IP address, and BGP ASN, specify a unique device name for each customer gateway. An identical request returns information about the existing customer gateway; it doesn''t create a new customer gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCustomerGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateCustomerGatewayRequest' + parameters: [] + /?Action=CreateDefaultSubnet&Version=2016-11-15: + get: + x-aws-operation-name: CreateDefaultSubnet + operationId: GET_CreateDefaultSubnet + description: 'Creates a default subnet with a size /20 IPv4 CIDR block in the specified Availability Zone in your default VPC. You can have only one default subnet per Availability Zone. For more information, see Creating a default subnet in the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDefaultSubnetResult' + parameters: + - name: AvailabilityZone + in: query + required: true + description: The Availability Zone in which to create the default subnet. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Ipv6Native + in: query + required: false + description: 'Indicates whether to create an IPv6 only subnet. If you already have a default subnet for this Availability Zone, you must delete it before you can create an IPv6 only subnet.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateDefaultSubnet + operationId: POST_CreateDefaultSubnet + description: 'Creates a default subnet with a size /20 IPv4 CIDR block in the specified Availability Zone in your default VPC. You can have only one default subnet per Availability Zone. For more information, see Creating a default subnet in the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDefaultSubnetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDefaultSubnetRequest' + parameters: [] + /?Action=CreateDefaultVpc&Version=2016-11-15: + get: + x-aws-operation-name: CreateDefaultVpc + operationId: GET_CreateDefaultVpc + description: '

Creates a default VPC with a size /16 IPv4 CIDR block and a default subnet in each Availability Zone. For more information about the components of a default VPC, see Default VPC and default subnets in the Amazon Virtual Private Cloud User Guide. You cannot specify the components of the default VPC yourself.

If you deleted your previous default VPC, you can create a default VPC. You cannot have more than one default VPC per Region.

If your account supports EC2-Classic, you cannot use this action to create a default VPC in a Region that supports EC2-Classic. If you want a default VPC in a Region that supports EC2-Classic, see "I really want a default VPC for my existing EC2 account. Is that possible?" in the Default VPCs FAQ.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDefaultVpcResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateDefaultVpc + operationId: POST_CreateDefaultVpc + description: '

Creates a default VPC with a size /16 IPv4 CIDR block and a default subnet in each Availability Zone. For more information about the components of a default VPC, see Default VPC and default subnets in the Amazon Virtual Private Cloud User Guide. You cannot specify the components of the default VPC yourself.

If you deleted your previous default VPC, you can create a default VPC. You cannot have more than one default VPC per Region.

If your account supports EC2-Classic, you cannot use this action to create a default VPC in a Region that supports EC2-Classic. If you want a default VPC in a Region that supports EC2-Classic, see "I really want a default VPC for my existing EC2 account. Is that possible?" in the Default VPCs FAQ.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDefaultVpcResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDefaultVpcRequest' + parameters: [] + /?Action=CreateDhcpOptions&Version=2016-11-15: + get: + x-aws-operation-name: CreateDhcpOptions + operationId: GET_CreateDhcpOptions + description: '

Creates a set of DHCP options for your VPC. After creating the set, you must associate it with the VPC, causing all existing and new instances that you launch in the VPC to use this set of DHCP options. The following are the individual DHCP options you can specify. For more information about the options, see RFC 2132.

Your VPC automatically starts out with a set of DHCP options that includes only a DNS server that we provide (AmazonProvidedDNS). If you create a set of options, and if your VPC has an internet gateway, make sure to set the domain-name-servers option either to AmazonProvidedDNS or to a domain name server of your choice. For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDhcpOptionsResult' + parameters: + - name: DhcpConfiguration + in: query + required: true + description: A DHCP configuration option. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NewDhcpConfiguration' + - xml: + name: item + - name: TagSpecification + in: query + required: false + description: The tags to assign to the DHCP option. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateDhcpOptions + operationId: POST_CreateDhcpOptions + description: '

Creates a set of DHCP options for your VPC. After creating the set, you must associate it with the VPC, causing all existing and new instances that you launch in the VPC to use this set of DHCP options. The following are the individual DHCP options you can specify. For more information about the options, see RFC 2132.

Your VPC automatically starts out with a set of DHCP options that includes only a DNS server that we provide (AmazonProvidedDNS). If you create a set of options, and if your VPC has an internet gateway, make sure to set the domain-name-servers option either to AmazonProvidedDNS or to a domain name server of your choice. For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDhcpOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateDhcpOptionsRequest' + parameters: [] + /?Action=CreateEgressOnlyInternetGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateEgressOnlyInternetGateway + operationId: GET_CreateEgressOnlyInternetGateway + description: '[IPv6 only] Creates an egress-only internet gateway for your VPC. An egress-only internet gateway is used to enable outbound communication over IPv6 from instances in your VPC to the internet, and prevents hosts outside of your VPC from initiating an IPv6 connection with your instance.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateEgressOnlyInternetGatewayResult' + parameters: + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcId + in: query + required: true + description: The ID of the VPC for which to create the egress-only internet gateway. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the egress-only internet gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateEgressOnlyInternetGateway + operationId: POST_CreateEgressOnlyInternetGateway + description: '[IPv6 only] Creates an egress-only internet gateway for your VPC. An egress-only internet gateway is used to enable outbound communication over IPv6 from instances in your VPC to the internet, and prevents hosts outside of your VPC from initiating an IPv6 connection with your instance.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateEgressOnlyInternetGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateEgressOnlyInternetGatewayRequest' + parameters: [] + /?Action=CreateFleet&Version=2016-11-15: + get: + x-aws-operation-name: CreateFleet + operationId: GET_CreateFleet + description: '

Launches an EC2 Fleet.

You can create a single EC2 Fleet that includes multiple launch specifications that vary by instance type, AMI, Availability Zone, or subnet.

For more information, see EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFleetResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring idempotency.' + schema: + type: string + - name: SpotOptions + in: query + required: false + description: Describes the configuration of Spot Instances in an EC2 Fleet. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum amount per hour for Spot Instances that you're willing to pay. + description: Describes the configuration of Spot Instances in an EC2 Fleet request. + - name: OnDemandOptions + in: query + required: false + description: Describes the configuration of On-Demand Instances in an EC2 Fleet. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum amount per hour for On-Demand Instances that you're willing to pay. + description: Describes the configuration of On-Demand Instances in an EC2 Fleet. + - name: ExcessCapacityTerminationPolicy + in: query + required: false + description: Indicates whether running instances should be terminated if the total target capacity of the EC2 Fleet is decreased below the current size of the EC2 Fleet. + schema: + type: string + enum: + - no-termination + - termination + - name: LaunchTemplateConfigs + in: query + required: true + description: The configuration for the EC2 Fleet. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateConfigRequest' + - xml: + name: item + minItems: 0 + maxItems: 50 + - name: TargetCapacitySpecification + in: query + required: true + description: The number of units to request. + schema: + type: object + required: + - TotalTargetCapacity + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TargetCapacityUnitType' + - description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + description: '

The number of units to request. You can choose to set the target capacity as the number of instances. Or you can set the target capacity to a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.

You can use the On-Demand Instance MaxTotalPrice parameter, the Spot Instance MaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, EC2 Fleet will launch instances until it reaches the maximum amount that you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity. The MaxTotalPrice parameters are located in OnDemandOptionsRequest and SpotOptionsRequest.

' + - name: TerminateInstancesWithExpiration + in: query + required: false + description: Indicates whether running instances should be terminated when the EC2 Fleet expires. + schema: + type: boolean + - name: Type + in: query + required: false + description: '

The fleet type. The default value is maintain.

For more information, see EC2 Fleet request types in the Amazon EC2 User Guide.

' + schema: + type: string + enum: + - request + - maintain + - instant + - name: ValidFrom + in: query + required: false + description: 'The start date and time of the request, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). The default is to start fulfilling the request immediately.' + schema: + type: string + format: date-time + - name: ValidUntil + in: query + required: false + description: 'The end date and time of the request, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). At this point, no new EC2 Fleet requests are placed or able to fulfill the request. If no value is specified, the request remains until you cancel it.' + schema: + type: string + format: date-time + - name: ReplaceUnhealthyInstances + in: query + required: false + description: 'Indicates whether EC2 Fleet should replace unhealthy Spot Instances. Supported only for fleets of type maintain. For more information, see EC2 Fleet health checks in the Amazon EC2 User Guide.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: '

The key-value pair for tagging the EC2 Fleet request on creation. For more information, see Tagging your resources.

If the fleet type is instant, specify a resource type of fleet to tag the fleet or instance to tag the instances at launch.

If the fleet type is maintain or request, specify a resource type of fleet to tag the fleet. You cannot specify a resource type of instance. To tag instances at launch, specify the tags in a launch template.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: Context + in: query + required: false + description: Reserved. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateFleet + operationId: POST_CreateFleet + description: '

Launches an EC2 Fleet.

You can create a single EC2 Fleet that includes multiple launch specifications that vary by instance type, AMI, Availability Zone, or subnet.

For more information, see EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFleetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFleetRequest' + parameters: [] + /?Action=CreateFlowLogs&Version=2016-11-15: + get: + x-aws-operation-name: CreateFlowLogs + operationId: GET_CreateFlowLogs + description: '

Creates one or more flow logs to capture information about IP traffic for a specific network interface, subnet, or VPC.

Flow log data for a monitored network interface is recorded as flow log records, which are log events consisting of fields that describe the traffic flow. For more information, see Flow log records in the Amazon Virtual Private Cloud User Guide.

When publishing to CloudWatch Logs, flow log records are published to a log group, and each network interface has a unique log stream in the log group. When publishing to Amazon S3, flow log records for all of the monitored network interfaces are published to a single log file object that is stored in the specified bucket.

For more information, see VPC Flow Logs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFlowLogsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: DeliverLogsPermissionArn + in: query + required: false + description: '

The ARN for the IAM role that permits Amazon EC2 to publish flow logs to a CloudWatch Logs log group in your account.

If you specify LogDestinationType as s3, do not specify DeliverLogsPermissionArn or LogGroupName.

' + schema: + type: string + - name: LogGroupName + in: query + required: false + description: '

The name of a new or existing CloudWatch Logs log group where Amazon EC2 publishes your flow logs.

If you specify LogDestinationType as s3, do not specify DeliverLogsPermissionArn or LogGroupName.

' + schema: + type: string + - name: ResourceId + in: query + required: true + description: '

The ID of the subnet, network interface, or VPC for which you want to create a flow log.

Constraints: Maximum of 1000 resources

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/FlowLogResourceId' + - xml: + name: item + - name: ResourceType + in: query + required: true + description: 'The type of resource for which to create the flow log. For example, if you specified a VPC ID for the ResourceId property, specify VPC for this property.' + schema: + type: string + enum: + - VPC + - Subnet + - NetworkInterface + - name: TrafficType + in: query + required: true + description: 'The type of traffic to log. You can log traffic that the resource accepts or rejects, or all traffic.' + schema: + type: string + enum: + - ACCEPT + - REJECT + - ALL + - name: LogDestinationType + in: query + required: false + description: '

The type of destination to which the flow log data is to be published. Flow log data can be published to CloudWatch Logs or Amazon S3. To publish flow log data to CloudWatch Logs, specify cloud-watch-logs. To publish flow log data to Amazon S3, specify s3.

If you specify LogDestinationType as s3, do not specify DeliverLogsPermissionArn or LogGroupName.

Default: cloud-watch-logs

' + schema: + type: string + enum: + - cloud-watch-logs + - s3 + - name: LogDestination + in: query + required: false + description: '

The destination to which the flow log data is to be published. Flow log data can be published to a CloudWatch Logs log group or an Amazon S3 bucket. The value specified for this parameter depends on the value specified for LogDestinationType.

If LogDestinationType is not specified or cloud-watch-logs, specify the Amazon Resource Name (ARN) of the CloudWatch Logs log group. For example, to publish to a log group called my-logs, specify arn:aws:logs:us-east-1:123456789012:log-group:my-logs. Alternatively, use LogGroupName instead.

If LogDestinationType is s3, specify the ARN of the Amazon S3 bucket. You can also specify a subfolder in the bucket. To specify a subfolder in the bucket, use the following ARN format: bucket_ARN/subfolder_name/. For example, to specify a subfolder named my-logs in a bucket named my-bucket, use the following ARN: arn:aws:s3:::my-bucket/my-logs/. You cannot use AWSLogs as a subfolder name. This is a reserved term.

' + schema: + type: string + - name: LogFormat + in: query + required: false + description: '

The fields to include in the flow log record, in the order in which they should appear. For a list of available fields, see Flow log records. If you omit this parameter, the flow log is created using the default format. If you specify this parameter, you must specify at least one field.

Specify the fields using the ${field-id} format, separated by spaces. For the CLI, surround this parameter value with single quotes on Linux or double quotes on Windows.

' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the flow logs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: MaxAggregationInterval + in: query + required: false + description: '

The maximum interval of time during which a flow of packets is captured and aggregated into a flow log record. You can specify 60 seconds (1 minute) or 600 seconds (10 minutes).

When a network interface is attached to a Nitro-based instance, the aggregation interval is always 60 seconds or less, regardless of the value that you specify.

Default: 600

' + schema: + type: integer + - name: DestinationOptions + in: query + required: false + description: The destination options. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to partition the flow log per hour. This reduces the cost and response time for queries. The default is false. + description: Describes the destination options for a flow log. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateFlowLogs + operationId: POST_CreateFlowLogs + description: '

Creates one or more flow logs to capture information about IP traffic for a specific network interface, subnet, or VPC.

Flow log data for a monitored network interface is recorded as flow log records, which are log events consisting of fields that describe the traffic flow. For more information, see Flow log records in the Amazon Virtual Private Cloud User Guide.

When publishing to CloudWatch Logs, flow log records are published to a log group, and each network interface has a unique log stream in the log group. When publishing to Amazon S3, flow log records for all of the monitored network interfaces are published to a single log file object that is stored in the specified bucket.

For more information, see VPC Flow Logs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFlowLogsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFlowLogsRequest' + parameters: [] + /?Action=CreateFpgaImage&Version=2016-11-15: + get: + x-aws-operation-name: CreateFpgaImage + operationId: GET_CreateFpgaImage + description: '

Creates an Amazon FPGA Image (AFI) from the specified design checkpoint (DCP).

The create operation is asynchronous. To verify that the AFI is ready for use, check the output logs.

An AFI contains the FPGA bitstream that is ready to download to an FPGA. You can securely deploy an AFI on multiple FPGA-accelerated instances. For more information, see the Amazon Web Services FPGA Hardware Development Kit.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFpgaImageResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InputStorageLocation + in: query + required: true + description: The location of the encrypted design checkpoint in Amazon S3. The input must be a tarball. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The key. + description: Describes a storage location in Amazon S3. + - name: LogsStorageLocation + in: query + required: false + description: The location in Amazon S3 for the output logs. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The key. + description: Describes a storage location in Amazon S3. + - name: Description + in: query + required: false + description: A description for the AFI. + schema: + type: string + - name: Name + in: query + required: false + description: A name for the AFI. + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the FPGA image during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateFpgaImage + operationId: POST_CreateFpgaImage + description: '

Creates an Amazon FPGA Image (AFI) from the specified design checkpoint (DCP).

The create operation is asynchronous. To verify that the AFI is ready for use, check the output logs.

An AFI contains the FPGA bitstream that is ready to download to an FPGA. You can securely deploy an AFI on multiple FPGA-accelerated instances. For more information, see the Amazon Web Services FPGA Hardware Development Kit.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFpgaImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateFpgaImageRequest' + parameters: [] + /?Action=CreateImage&Version=2016-11-15: + get: + x-aws-operation-name: CreateImage + operationId: GET_CreateImage + description: '

Creates an Amazon EBS-backed AMI from an Amazon EBS-backed instance that is either running or stopped.

By default, when Amazon EC2 creates the new AMI, it reboots the instance so that it can take snapshots of the attached volumes while data is at rest, in order to ensure a consistent state. You can set the NoReboot parameter to true in the API request, or use the --no-reboot option in the CLI to prevent Amazon EC2 from shutting down and rebooting the instance.

If you choose to bypass the shutdown and reboot process by setting the NoReboot parameter to true in the API request, or by using the --no-reboot option in the CLI, we can''t guarantee the file system integrity of the created image.

If you customized your instance with instance store volumes or Amazon EBS volumes in addition to the root device volume, the new AMI contains block device mapping information for those volumes. When you launch an instance from this new AMI, the instance automatically launches with those additional volumes.

For more information, see Creating Amazon EBS-Backed Linux AMIs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateImageResult' + parameters: + - name: BlockDeviceMapping + in: query + required: false + description: 'The block device mappings. This parameter cannot be used to modify the encryption status of existing volumes or snapshots. To create an AMI with encrypted snapshots, use the CopyImage action.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/BlockDeviceMapping' + - xml: + name: BlockDeviceMapping + - name: Description + in: query + required: false + description: A description for the new image. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: Name + in: query + required: true + description: '

A name for the new image.

Constraints: 3-128 alphanumeric characters, parentheses (()), square brackets ([]), spaces ( ), periods (.), slashes (/), dashes (-), single quotes (''), at-signs (@), or underscores(_)

' + schema: + type: string + - name: NoReboot + in: query + required: false + description: '

By default, when Amazon EC2 creates the new AMI, it reboots the instance so that it can take snapshots of the attached volumes while data is at rest, in order to ensure a consistent state. You can set the NoReboot parameter to true in the API request, or use the --no-reboot option in the CLI to prevent Amazon EC2 from shutting down and rebooting the instance.

If you choose to bypass the shutdown and reboot process by setting the NoReboot parameter to true in the API request, or by using the --no-reboot option in the CLI, we can''t guarantee the file system integrity of the created image.

Default: false (follow standard reboot process)

' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: '

The tags to apply to the AMI and snapshots on creation. You can tag the AMI, the snapshots, or both.

If you specify other values for ResourceType, the request fails.

To tag an AMI or snapshot after it has been created, see CreateTags.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateImage + operationId: POST_CreateImage + description: '

Creates an Amazon EBS-backed AMI from an Amazon EBS-backed instance that is either running or stopped.

By default, when Amazon EC2 creates the new AMI, it reboots the instance so that it can take snapshots of the attached volumes while data is at rest, in order to ensure a consistent state. You can set the NoReboot parameter to true in the API request, or use the --no-reboot option in the CLI to prevent Amazon EC2 from shutting down and rebooting the instance.

If you choose to bypass the shutdown and reboot process by setting the NoReboot parameter to true in the API request, or by using the --no-reboot option in the CLI, we can''t guarantee the file system integrity of the created image.

If you customized your instance with instance store volumes or Amazon EBS volumes in addition to the root device volume, the new AMI contains block device mapping information for those volumes. When you launch an instance from this new AMI, the instance automatically launches with those additional volumes.

For more information, see Creating Amazon EBS-Backed Linux AMIs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateImageRequest' + parameters: [] + /?Action=CreateInstanceEventWindow&Version=2016-11-15: + get: + x-aws-operation-name: CreateInstanceEventWindow + operationId: GET_CreateInstanceEventWindow + description: '

Creates an event window in which scheduled events for the associated Amazon EC2 instances can run.

You can define either a set of time ranges or a cron expression when creating the event window, but not both. All event window times are in UTC.

You can create up to 200 event windows per Amazon Web Services Region.

When you create the event window, targets (instance IDs, Dedicated Host IDs, or tags) are not yet associated with it. To ensure that the event window can be used, you must associate one or more targets with it by using the AssociateInstanceEventWindow API.

Event windows are applicable only for scheduled events that stop, reboot, or terminate instances.

Event windows are not applicable for:

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInstanceEventWindowResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Name + in: query + required: false + description: The name of the event window. + schema: + type: string + - name: TimeRange + in: query + required: false + description: 'The time range for the event window. If you specify a time range, you can''t specify a cron expression.' + schema: + type: array + items: + $ref: '#/components/schemas/InstanceEventWindowTimeRangeRequest' + - name: CronExpression + in: query + required: false + description: '

The cron expression for the event window, for example, * 0-4,20-23 * * 1,5. If you specify a cron expression, you can''t specify a time range.

Constraints:

For more information about cron expressions, see cron on the Wikipedia website.

' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the event window. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateInstanceEventWindow + operationId: POST_CreateInstanceEventWindow + description: '

Creates an event window in which scheduled events for the associated Amazon EC2 instances can run.

You can define either a set of time ranges or a cron expression when creating the event window, but not both. All event window times are in UTC.

You can create up to 200 event windows per Amazon Web Services Region.

When you create the event window, targets (instance IDs, Dedicated Host IDs, or tags) are not yet associated with it. To ensure that the event window can be used, you must associate one or more targets with it by using the AssociateInstanceEventWindow API.

Event windows are applicable only for scheduled events that stop, reboot, or terminate instances.

Event windows are not applicable for:

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInstanceEventWindowResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInstanceEventWindowRequest' + parameters: [] + /?Action=CreateInstanceExportTask&Version=2016-11-15: + get: + x-aws-operation-name: CreateInstanceExportTask + operationId: GET_CreateInstanceExportTask + description: '

Exports a running or stopped instance to an Amazon S3 bucket.

For information about the supported operating systems, image formats, and known limitations for the types of instances you can export, see Exporting an instance as a VM Using VM Import/Export in the VM Import/Export User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInstanceExportTaskResult' + parameters: + - name: Description + in: query + required: false + description: A description for the conversion task or the resource being exported. The maximum length is 255 characters. + schema: + type: string + - name: ExportToS3 + in: query + required: true + description: The format and location for an export instance task. + schema: + type: object + properties: + containerFormat: + allOf: + - $ref: '#/components/schemas/ContainerFormat' + - description: 'The container format used to combine disk images with metadata (such as OVF). If absent, only the disk image is exported.' + diskImageFormat: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The format for the exported image. + s3Bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon S3 bucket for the destination image. The destination bucket must exist and grant WRITE and READ_ACP permissions to the Amazon Web Services account vm-import-export@amazon.com. + s3Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The image is written to a single object in the Amazon S3 bucket at the S3 key s3prefix + exportTaskId + '.' + diskImageFormat. + description: Describes an export instance task. + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: TargetEnvironment + in: query + required: true + description: The target virtualization environment. + schema: + type: string + enum: + - citrix + - vmware + - microsoft + - name: TagSpecification + in: query + required: false + description: The tags to apply to the export instance task during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateInstanceExportTask + operationId: POST_CreateInstanceExportTask + description: '

Exports a running or stopped instance to an Amazon S3 bucket.

For information about the supported operating systems, image formats, and known limitations for the types of instances you can export, see Exporting an instance as a VM Using VM Import/Export in the VM Import/Export User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInstanceExportTaskResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInstanceExportTaskRequest' + parameters: [] + /?Action=CreateInternetGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateInternetGateway + operationId: GET_CreateInternetGateway + description: '

Creates an internet gateway for use with a VPC. After creating the internet gateway, you attach it to a VPC using AttachInternetGateway.

For more information about your VPC and internet gateway, see the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInternetGatewayResult' + parameters: + - name: TagSpecification + in: query + required: false + description: The tags to assign to the internet gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateInternetGateway + operationId: POST_CreateInternetGateway + description: '

Creates an internet gateway for use with a VPC. After creating the internet gateway, you attach it to a VPC using AttachInternetGateway.

For more information about your VPC and internet gateway, see the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInternetGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateInternetGatewayRequest' + parameters: [] + /?Action=CreateIpam&Version=2016-11-15: + get: + x-aws-operation-name: CreateIpam + operationId: GET_CreateIpam + description: '

Create an IPAM. Amazon VPC IP Address Manager (IPAM) is a VPC feature that you can use to automate your IP address management workflows including assigning, tracking, troubleshooting, and auditing IP addresses across Amazon Web Services Regions and accounts throughout your Amazon Web Services Organization.

For more information, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Description + in: query + required: false + description: A description for the IPAM. + schema: + type: string + - name: OperatingRegion + in: query + required: false + description: '

The operating Regions for the IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + schema: + type: array + items: + $ref: '#/components/schemas/AddIpamOperatingRegion' + minItems: 0 + maxItems: 50 + - name: TagSpecification + in: query + required: false + description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ClientToken + in: query + required: false + description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateIpam + operationId: POST_CreateIpam + description: '

Create an IPAM. Amazon VPC IP Address Manager (IPAM) is a VPC feature that you can use to automate your IP address management workflows including assigning, tracking, troubleshooting, and auditing IP addresses across Amazon Web Services Regions and accounts throughout your Amazon Web Services Organization.

For more information, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamRequest' + parameters: [] + /?Action=CreateIpamPool&Version=2016-11-15: + get: + x-aws-operation-name: CreateIpamPool + operationId: GET_CreateIpamPool + description: '

Create an IP address pool for Amazon VPC IP Address Manager (IPAM). In IPAM, a pool is a collection of contiguous IP addresses CIDRs. Pools enable you to organize your IP addresses according to your routing and security needs. For example, if you have separate routing and security needs for development and production applications, you can create a pool for each.

For more information, see Create a top-level pool in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamPoolResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamScopeId + in: query + required: true + description: The ID of the scope in which you would like to create the IPAM pool. + schema: + type: string + - name: Locale + in: query + required: false + description: '

In IPAM, the locale is the Amazon Web Services Region where you want to make an IPAM pool available for allocations. Only resources in the same Region as the locale of the pool can get IP address allocations from the pool. You can only allocate a CIDR for a VPC, for example, from an IPAM pool that shares a locale with the VPC’s Region. Note that once you choose a Locale for a pool, you cannot modify it. If you do not choose a locale, resources in Regions others than the IPAM''s home region cannot use CIDRs from this pool.

Possible values: Any Amazon Web Services Region, such as us-east-1.

' + schema: + type: string + - name: SourceIpamPoolId + in: query + required: false + description: The ID of the source IPAM pool. Use this option to create a pool within an existing pool. Note that the CIDR you provision for the pool within the source pool must be available in the source pool's CIDR range. + schema: + type: string + - name: Description + in: query + required: false + description: A description for the IPAM pool. + schema: + type: string + - name: AddressFamily + in: query + required: true + description: The IP protocol assigned to this IPAM pool. You must choose either IPv4 or IPv6 protocol for a pool. + schema: + type: string + enum: + - ipv4 + - ipv6 + - name: AutoImport + in: query + required: false + description: '

If selected, IPAM will continuously look for resources within the CIDR range of this pool and automatically import them as allocations into your IPAM. The CIDRs that will be allocated for these resources must not already be allocated to other resources in order for the import to succeed. IPAM will import a CIDR regardless of its compliance with the pool''s allocation rules, so a resource might be imported and subsequently marked as noncompliant. If IPAM discovers multiple CIDRs that overlap, IPAM will import the largest CIDR only. If IPAM discovers multiple CIDRs with matching CIDRs, IPAM will randomly import one of them only.

A locale must be set on the pool for this feature to work.

' + schema: + type: boolean + - name: PubliclyAdvertisable + in: query + required: false + description: Determines if the pool is publicly advertisable. This option is not available for pools with AddressFamily set to ipv4. + schema: + type: boolean + - name: AllocationMinNetmaskLength + in: query + required: false + description: The minimum netmask length required for CIDR allocations in this IPAM pool to be compliant. The minimum netmask length must be less than the maximum netmask length. Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128. + schema: + type: integer + minimum: 0 + maximum: 128 + - name: AllocationMaxNetmaskLength + in: query + required: false + description: The maximum netmask length possible for CIDR allocations in this IPAM pool to be compliant. The maximum netmask length must be greater than the minimum netmask length. Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128. + schema: + type: integer + minimum: 0 + maximum: 128 + - name: AllocationDefaultNetmaskLength + in: query + required: false + description: 'The default netmask length for allocations added to this pool. If, for example, the CIDR assigned to this pool is 10.0.0.0/8 and you enter 16 here, new allocations will default to 10.0.0.0/16.' + schema: + type: integer + minimum: 0 + maximum: 128 + - name: AllocationResourceTag + in: query + required: false + description: 'Tags that are required for resources that use CIDRs from this IPAM pool. Resources that do not have these tags will not be allowed to allocate space from the pool. If the resources have their tags changed after they have allocated space or if the allocation tagging requirements are changed on the pool, the resource may be marked as noncompliant.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTag' + - xml: + name: item + - name: TagSpecification + in: query + required: false + description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ClientToken + in: query + required: false + description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: AwsService + in: query + required: false + description: 'Limits which service in Amazon Web Services that the pool can be used in. "ec2", for example, allows users to use space for Elastic IP addresses and VPCs.' + schema: + type: string + enum: + - ec2 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateIpamPool + operationId: POST_CreateIpamPool + description: '

Create an IP address pool for Amazon VPC IP Address Manager (IPAM). In IPAM, a pool is a collection of contiguous IP addresses CIDRs. Pools enable you to organize your IP addresses according to your routing and security needs. For example, if you have separate routing and security needs for development and production applications, you can create a pool for each.

For more information, see Create a top-level pool in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamPoolResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamPoolRequest' + parameters: [] + /?Action=CreateIpamScope&Version=2016-11-15: + get: + x-aws-operation-name: CreateIpamScope + operationId: GET_CreateIpamScope + description: '

Create an IPAM scope. In IPAM, a scope is the highest-level container within IPAM. An IPAM contains two default scopes. Each scope represents the IP space for a single network. The private scope is intended for all private IP address space. The public scope is intended for all public IP address space. Scopes enable you to reuse IP addresses across multiple unconnected networks without causing IP address overlap or conflict.

For more information, see Add a scope in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamScopeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamId + in: query + required: true + description: The ID of the IPAM for which you're creating this scope. + schema: + type: string + - name: Description + in: query + required: false + description: A description for the scope you're creating. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ClientToken + in: query + required: false + description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateIpamScope + operationId: POST_CreateIpamScope + description: '

Create an IPAM scope. In IPAM, a scope is the highest-level container within IPAM. An IPAM contains two default scopes. Each scope represents the IP space for a single network. The private scope is intended for all private IP address space. The public scope is intended for all public IP address space. Scopes enable you to reuse IP addresses across multiple unconnected networks without causing IP address overlap or conflict.

For more information, see Add a scope in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamScopeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateIpamScopeRequest' + parameters: [] + /?Action=CreateKeyPair&Version=2016-11-15: + get: + x-aws-operation-name: CreateKeyPair + operationId: GET_CreateKeyPair + description: '

Creates an ED25519 or 2048-bit RSA key pair with the specified name and in the specified PEM or PPK format. Amazon EC2 stores the public key and displays the private key for you to save to a file. The private key is returned as an unencrypted PEM encoded PKCS#1 private key or an unencrypted PPK formatted private key for use with PuTTY. If a key with the specified name already exists, Amazon EC2 returns an error.

The key pair returned to you is available only in the Amazon Web Services Region in which you create it. If you prefer, you can create your own key pair using a third-party tool and upload it to any Region using ImportKeyPair.

You can have up to 5,000 key pairs per Amazon Web Services Region.

For more information, see Amazon EC2 key pairs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/KeyPair' + parameters: + - name: KeyName + in: query + required: true + description: '

A unique name for the key pair.

Constraints: Up to 255 ASCII characters

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: KeyType + in: query + required: false + description: '

The type of key pair. Note that ED25519 keys are not supported for Windows instances.

Default: rsa

' + schema: + type: string + enum: + - rsa + - ed25519 + - name: TagSpecification + in: query + required: false + description: The tags to apply to the new key pair. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: KeyFormat + in: query + required: false + description: '

The format of the key pair.

Default: pem

' + schema: + type: string + enum: + - pem + - ppk + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateKeyPair + operationId: POST_CreateKeyPair + description: '

Creates an ED25519 or 2048-bit RSA key pair with the specified name and in the specified PEM or PPK format. Amazon EC2 stores the public key and displays the private key for you to save to a file. The private key is returned as an unencrypted PEM encoded PKCS#1 private key or an unencrypted PPK formatted private key for use with PuTTY. If a key with the specified name already exists, Amazon EC2 returns an error.

The key pair returned to you is available only in the Amazon Web Services Region in which you create it. If you prefer, you can create your own key pair using a third-party tool and upload it to any Region using ImportKeyPair.

You can have up to 5,000 key pairs per Amazon Web Services Region.

For more information, see Amazon EC2 key pairs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/KeyPair' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateKeyPairRequest' + parameters: [] + /?Action=CreateLaunchTemplate&Version=2016-11-15: + get: + x-aws-operation-name: CreateLaunchTemplate + operationId: GET_CreateLaunchTemplate + description: '

Creates a launch template.

A launch template contains the parameters to launch an instance. When you launch an instance using RunInstances, you can specify a launch template instead of providing the launch parameters in the request. For more information, see Launching an instance from a launch template in the Amazon Elastic Compute Cloud User Guide.

If you want to clone an existing launch template as the basis for creating a new launch template, you can use the Amazon EC2 console. The API, SDKs, and CLI do not support cloning a template. For more information, see Create a launch template from an existing launch template in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLaunchTemplateResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.

Constraint: Maximum 128 ASCII characters.

' + schema: + type: string + - name: LaunchTemplateName + in: query + required: true + description: A name for the launch template. + schema: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + - name: VersionDescription + in: query + required: false + description: A description for the first version of the launch template. + schema: + type: string + minLength: 0 + maxLength: 255 + - name: LaunchTemplateData + in: query + required: true + description: The information for the launch template. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateIamInstanceProfileSpecificationRequest' + - description: The name or Amazon Resource Name (ARN) of an IAM instance profile. + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/LaunchTemplateBlockDeviceMappingRequestList' + - description: The block device mapping. + NetworkInterface: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The user data to make available to the instance. You must provide base64-encoded text. User data is limited to 16 KB. For more information, see Running Commands on Your Linux Instance at Launch (Linux) or Adding User Data (Windows).

If you are creating the launch template for use with Batch, the user data must be provided in the MIME multi-part archive format. For more information, see Amazon EC2 user data in launch templates in the Batch User Guide.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateTagSpecificationRequestList' + - description: 'The tags to apply to the resources during launch. You can only tag instances and volumes on launch. The specified tags are applied to all instances or volumes that are created during launch. To tag a resource after it has been created, see CreateTags.' + ElasticGpuSpecification: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecificationList' + - description: An elastic GPU to associate with the instance. + ElasticInferenceAccelerator: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAcceleratorList' + - description: ' The elastic inference accelerator for the instance. ' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: 'One or more security group IDs. You can create a security group using CreateSecurityGroup. You cannot specify both a security group ID and security name in the same request.' + SecurityGroup: + allOf: + - $ref: '#/components/schemas/LaunchTemplateCapacityReservationSpecificationRequest' + - description: 'The Capacity Reservation targeting option. If you do not specify this parameter, the instance''s Capacity Reservation preference defaults to open, which enables it to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone).' + LicenseSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMaintenanceOptionsRequest' + - description: The maintenance options for the instance. + description:

The information to include in the launch template.

You must specify at least one parameter for the launch template data.

+ - name: TagSpecification + in: query + required: false + description: The tags to apply to the launch template during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateLaunchTemplate + operationId: POST_CreateLaunchTemplate + description: '

Creates a launch template.

A launch template contains the parameters to launch an instance. When you launch an instance using RunInstances, you can specify a launch template instead of providing the launch parameters in the request. For more information, see Launching an instance from a launch template in the Amazon Elastic Compute Cloud User Guide.

If you want to clone an existing launch template as the basis for creating a new launch template, you can use the Amazon EC2 console. The API, SDKs, and CLI do not support cloning a template. For more information, see Create a launch template from an existing launch template in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLaunchTemplateResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLaunchTemplateRequest' + parameters: [] + /?Action=CreateLaunchTemplateVersion&Version=2016-11-15: + get: + x-aws-operation-name: CreateLaunchTemplateVersion + operationId: GET_CreateLaunchTemplateVersion + description: '

Creates a new version for a launch template. You can specify an existing version of launch template from which to base the new version.

Launch template versions are numbered in the order in which they are created. You cannot specify, change, or replace the numbering of launch template versions.

For more information, see Managing launch template versionsin the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLaunchTemplateVersionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.

Constraint: Maximum 128 ASCII characters.

' + schema: + type: string + - name: LaunchTemplateId + in: query + required: false + description: The ID of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + - name: LaunchTemplateName + in: query + required: false + description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + - name: SourceVersion + in: query + required: false + description: 'The version number of the launch template version on which to base the new version. The new version inherits the same launch parameters as the source version, except for parameters that you specify in LaunchTemplateData. Snapshots applied to the block device mapping are ignored when creating a new version unless they are explicitly included.' + schema: + type: string + - name: VersionDescription + in: query + required: false + description: A description for the version of the launch template. + schema: + type: string + minLength: 0 + maxLength: 255 + - name: LaunchTemplateData + in: query + required: true + description: The information for the launch template. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateIamInstanceProfileSpecificationRequest' + - description: The name or Amazon Resource Name (ARN) of an IAM instance profile. + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/LaunchTemplateBlockDeviceMappingRequestList' + - description: The block device mapping. + NetworkInterface: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The user data to make available to the instance. You must provide base64-encoded text. User data is limited to 16 KB. For more information, see Running Commands on Your Linux Instance at Launch (Linux) or Adding User Data (Windows).

If you are creating the launch template for use with Batch, the user data must be provided in the MIME multi-part archive format. For more information, see Amazon EC2 user data in launch templates in the Batch User Guide.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateTagSpecificationRequestList' + - description: 'The tags to apply to the resources during launch. You can only tag instances and volumes on launch. The specified tags are applied to all instances or volumes that are created during launch. To tag a resource after it has been created, see CreateTags.' + ElasticGpuSpecification: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecificationList' + - description: An elastic GPU to associate with the instance. + ElasticInferenceAccelerator: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAcceleratorList' + - description: ' The elastic inference accelerator for the instance. ' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: 'One or more security group IDs. You can create a security group using CreateSecurityGroup. You cannot specify both a security group ID and security name in the same request.' + SecurityGroup: + allOf: + - $ref: '#/components/schemas/LaunchTemplateCapacityReservationSpecificationRequest' + - description: 'The Capacity Reservation targeting option. If you do not specify this parameter, the instance''s Capacity Reservation preference defaults to open, which enables it to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone).' + LicenseSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMaintenanceOptionsRequest' + - description: The maintenance options for the instance. + description:

The information to include in the launch template.

You must specify at least one parameter for the launch template data.

+ parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateLaunchTemplateVersion + operationId: POST_CreateLaunchTemplateVersion + description: '

Creates a new version for a launch template. You can specify an existing version of launch template from which to base the new version.

Launch template versions are numbered in the order in which they are created. You cannot specify, change, or replace the numbering of launch template versions.

For more information, see Managing launch template versionsin the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLaunchTemplateVersionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLaunchTemplateVersionRequest' + parameters: [] + /?Action=CreateLocalGatewayRoute&Version=2016-11-15: + get: + x-aws-operation-name: CreateLocalGatewayRoute + operationId: GET_CreateLocalGatewayRoute + description: Creates a static route for the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLocalGatewayRouteResult' + parameters: + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR range used for destination matches. Routing decisions are based on the most specific match. + schema: + type: string + - name: LocalGatewayRouteTableId + in: query + required: true + description: The ID of the local gateway route table. + schema: + type: string + - name: LocalGatewayVirtualInterfaceGroupId + in: query + required: true + description: The ID of the virtual interface group. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateLocalGatewayRoute + operationId: POST_CreateLocalGatewayRoute + description: Creates a static route for the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLocalGatewayRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLocalGatewayRouteRequest' + parameters: [] + /?Action=CreateLocalGatewayRouteTableVpcAssociation&Version=2016-11-15: + get: + x-aws-operation-name: CreateLocalGatewayRouteTableVpcAssociation + operationId: GET_CreateLocalGatewayRouteTableVpcAssociation + description: Associates the specified VPC with the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLocalGatewayRouteTableVpcAssociationResult' + parameters: + - name: LocalGatewayRouteTableId + in: query + required: true + description: The ID of the local gateway route table. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the local gateway route table VPC association. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateLocalGatewayRouteTableVpcAssociation + operationId: POST_CreateLocalGatewayRouteTableVpcAssociation + description: Associates the specified VPC with the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLocalGatewayRouteTableVpcAssociationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateLocalGatewayRouteTableVpcAssociationRequest' + parameters: [] + /?Action=CreateManagedPrefixList&Version=2016-11-15: + get: + x-aws-operation-name: CreateManagedPrefixList + operationId: GET_CreateManagedPrefixList + description: Creates a managed prefix list. You can specify one or more entries for the prefix list. Each entry consists of a CIDR block and an optional description. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateManagedPrefixListResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PrefixListName + in: query + required: true + description: '

A name for the prefix list.

Constraints: Up to 255 characters in length. The name cannot start with com.amazonaws.

' + schema: + type: string + - name: Entry + in: query + required: false + description: One or more entries for the prefix list. + schema: + type: array + items: + $ref: '#/components/schemas/AddPrefixListEntry' + minItems: 0 + maxItems: 100 + - name: MaxEntries + in: query + required: true + description: The maximum number of entries for the prefix list. + schema: + type: integer + - name: TagSpecification + in: query + required: false + description: The tags to apply to the prefix list during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: AddressFamily + in: query + required: true + description: '

The IP address type.

Valid Values: IPv4 | IPv6

' + schema: + type: string + - name: ClientToken + in: query + required: false + description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.

Constraints: Up to 255 UTF-8 characters in length.

' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateManagedPrefixList + operationId: POST_CreateManagedPrefixList + description: Creates a managed prefix list. You can specify one or more entries for the prefix list. Each entry consists of a CIDR block and an optional description. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateManagedPrefixListResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateManagedPrefixListRequest' + parameters: [] + /?Action=CreateNatGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateNatGateway + operationId: GET_CreateNatGateway + description: '

Creates a NAT gateway in the specified subnet. This action creates a network interface in the specified subnet with a private IP address from the IP address range of the subnet. You can create either a public NAT gateway or a private NAT gateway.

With a public NAT gateway, internet-bound traffic from a private subnet can be routed to the NAT gateway, so that instances in a private subnet can connect to the internet.

With a private NAT gateway, private communication is routed across VPCs and on-premises networks through a transit gateway or virtual private gateway. Common use cases include running large workloads behind a small pool of allowlisted IPv4 addresses, preserving private IPv4 addresses, and communicating between overlapping networks.

For more information, see NAT gateways in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNatGatewayResult' + parameters: + - name: AllocationId + in: query + required: false + description: '[Public NAT gateways only] The allocation ID of an Elastic IP address to associate with the NAT gateway. You cannot specify an Elastic IP address with a private NAT gateway. If the Elastic IP address is associated with another resource, you must first disassociate it.' + schema: + type: string + - name: ClientToken + in: query + required: false + description: '

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.

Constraint: Maximum 64 ASCII characters.

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SubnetId + in: query + required: true + description: The subnet in which to create the NAT gateway. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the NAT gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ConnectivityType + in: query + required: false + description: Indicates whether the NAT gateway supports public or private connectivity. The default is public connectivity. + schema: + type: string + enum: + - private + - public + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNatGateway + operationId: POST_CreateNatGateway + description: '

Creates a NAT gateway in the specified subnet. This action creates a network interface in the specified subnet with a private IP address from the IP address range of the subnet. You can create either a public NAT gateway or a private NAT gateway.

With a public NAT gateway, internet-bound traffic from a private subnet can be routed to the NAT gateway, so that instances in a private subnet can connect to the internet.

With a private NAT gateway, private communication is routed across VPCs and on-premises networks through a transit gateway or virtual private gateway. Common use cases include running large workloads behind a small pool of allowlisted IPv4 addresses, preserving private IPv4 addresses, and communicating between overlapping networks.

For more information, see NAT gateways in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNatGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNatGatewayRequest' + parameters: [] + /?Action=CreateNetworkAcl&Version=2016-11-15: + get: + x-aws-operation-name: CreateNetworkAcl + operationId: GET_CreateNetworkAcl + description: '

Creates a network ACL in a VPC. Network ACLs provide an optional layer of security (in addition to security groups) for the instances in your VPC.

For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkAclResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the network ACL. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNetworkAcl + operationId: POST_CreateNetworkAcl + description: '

Creates a network ACL in a VPC. Network ACLs provide an optional layer of security (in addition to security groups) for the instances in your VPC.

For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkAclResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkAclRequest' + parameters: [] + /?Action=CreateNetworkAclEntry&Version=2016-11-15: + get: + x-aws-operation-name: CreateNetworkAclEntry + operationId: GET_CreateNetworkAclEntry + description: '

Creates an entry (a rule) in a network ACL with the specified rule number. Each network ACL has a set of numbered ingress rules and a separate set of numbered egress rules. When determining whether a packet should be allowed in or out of a subnet associated with the ACL, we process the entries in the ACL according to the rule numbers, in ascending order. Each network ACL has a set of ingress rules and a separate set of egress rules.

We recommend that you leave room between the rule numbers (for example, 100, 110, 120, ...), and not number them one right after the other (for example, 101, 102, 103, ...). This makes it easier to add a rule between existing ones without having to renumber the rules.

After you add an entry, you can''t modify it; you must either replace it, or create an entry and delete the old one.

For more information about network ACLs, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: CidrBlock + in: query + required: false + description: 'The IPv4 network range to allow or deny, in CIDR notation (for example 172.16.0.0/24). We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Egress + in: query + required: true + description: Indicates whether this is an egress rule (rule is applied to traffic leaving the subnet). + schema: + type: boolean + - name: Icmp + in: query + required: false + description: 'ICMP protocol: The ICMP or ICMPv6 type and code. Required if specifying protocol 1 (ICMP) or protocol 58 (ICMPv6) with an IPv6 CIDR block.' + schema: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ICMP code. A value of -1 means all codes for the specified ICMP type. + type: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ICMP type. A value of -1 means all types. + description: Describes the ICMP type and code. + - name: Ipv6CidrBlock + in: query + required: false + description: 'The IPv6 network range to allow or deny, in CIDR notation (for example 2001:db8:1234:1a00::/64).' + schema: + type: string + - name: NetworkAclId + in: query + required: true + description: The ID of the network ACL. + schema: + type: string + - name: PortRange + in: query + required: false + description: 'TCP or UDP protocols: The range of ports the rule applies to. Required if specifying protocol 6 (TCP) or 17 (UDP).' + schema: + type: object + properties: + from: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The first port in the range. + to: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the range. + description: Describes a range of ports. + - name: Protocol + in: query + required: true + description: 'The protocol number. A value of "-1" means all protocols. If you specify "-1" or a protocol number other than "6" (TCP), "17" (UDP), or "1" (ICMP), traffic on all ports is allowed, regardless of any ports or ICMP types or codes that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv4 CIDR block, traffic for all ICMP types and codes allowed, regardless of any that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv6 CIDR block, you must specify an ICMP type and code.' + schema: + type: string + - name: RuleAction + in: query + required: true + description: Indicates whether to allow or deny the traffic that matches the rule. + schema: + type: string + enum: + - allow + - deny + - name: RuleNumber + in: query + required: true + description: '

The rule number for the entry (for example, 100). ACL entries are processed in ascending order by rule number.

Constraints: Positive integer from 1 to 32766. The range 32767 to 65535 is reserved for internal use.

' + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNetworkAclEntry + operationId: POST_CreateNetworkAclEntry + description: '

Creates an entry (a rule) in a network ACL with the specified rule number. Each network ACL has a set of numbered ingress rules and a separate set of numbered egress rules. When determining whether a packet should be allowed in or out of a subnet associated with the ACL, we process the entries in the ACL according to the rule numbers, in ascending order. Each network ACL has a set of ingress rules and a separate set of egress rules.

We recommend that you leave room between the rule numbers (for example, 100, 110, 120, ...), and not number them one right after the other (for example, 101, 102, 103, ...). This makes it easier to add a rule between existing ones without having to renumber the rules.

After you add an entry, you can''t modify it; you must either replace it, or create an entry and delete the old one.

For more information about network ACLs, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkAclEntryRequest' + parameters: [] + /?Action=CreateNetworkInsightsAccessScope&Version=2016-11-15: + get: + x-aws-operation-name: CreateNetworkInsightsAccessScope + operationId: GET_CreateNetworkInsightsAccessScope + description: '

Creates a Network Access Scope.

Amazon Web Services Network Access Analyzer enables cloud networking and cloud operations teams to verify that their networks on Amazon Web Services conform to their network security and governance objectives. For more information, see the Amazon Web Services Network Access Analyzer Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInsightsAccessScopeResult' + parameters: + - name: MatchPath + in: query + required: false + description: The paths to match. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccessScopePathRequest' + - xml: + name: item + - name: ExcludePath + in: query + required: false + description: The paths to exclude. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccessScopePathRequest' + - xml: + name: item + - name: ClientToken + in: query + required: true + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNetworkInsightsAccessScope + operationId: POST_CreateNetworkInsightsAccessScope + description: '

Creates a Network Access Scope.

Amazon Web Services Network Access Analyzer enables cloud networking and cloud operations teams to verify that their networks on Amazon Web Services conform to their network security and governance objectives. For more information, see the Amazon Web Services Network Access Analyzer Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInsightsAccessScopeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInsightsAccessScopeRequest' + parameters: [] + /?Action=CreateNetworkInsightsPath&Version=2016-11-15: + get: + x-aws-operation-name: CreateNetworkInsightsPath + operationId: GET_CreateNetworkInsightsPath + description: '

Creates a path to analyze for reachability.

Reachability Analyzer enables you to analyze and debug network reachability between two resources in your virtual private cloud (VPC). For more information, see What is Reachability Analyzer.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInsightsPathResult' + parameters: + - name: SourceIp + in: query + required: false + description: The IP address of the Amazon Web Services resource that is the source of the path. + schema: + type: string + pattern: '^([0-9]{1,3}.){3}[0-9]{1,3}$' + minLength: 0 + maxLength: 15 + - name: DestinationIp + in: query + required: false + description: The IP address of the Amazon Web Services resource that is the destination of the path. + schema: + type: string + pattern: '^([0-9]{1,3}.){3}[0-9]{1,3}$' + minLength: 0 + maxLength: 15 + - name: Source + in: query + required: true + description: The Amazon Web Services resource that is the source of the path. + schema: + type: string + - name: Destination + in: query + required: true + description: The Amazon Web Services resource that is the destination of the path. + schema: + type: string + - name: Protocol + in: query + required: true + description: The protocol. + schema: + type: string + enum: + - tcp + - udp + - name: DestinationPort + in: query + required: false + description: The destination port. + schema: + type: integer + minimum: 1 + maximum: 65535 + - name: TagSpecification + in: query + required: false + description: The tags to add to the path. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: true + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNetworkInsightsPath + operationId: POST_CreateNetworkInsightsPath + description: '

Creates a path to analyze for reachability.

Reachability Analyzer enables you to analyze and debug network reachability between two resources in your virtual private cloud (VPC). For more information, see What is Reachability Analyzer.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInsightsPathResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInsightsPathRequest' + parameters: [] + /?Action=CreateNetworkInterface&Version=2016-11-15: + get: + x-aws-operation-name: CreateNetworkInterface + operationId: GET_CreateNetworkInterface + description: '

Creates a network interface in the specified subnet.

For more information about network interfaces, see Elastic Network Interfaces in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInterfaceResult' + parameters: + - name: Description + in: query + required: false + description: A description for the network interface. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SecurityGroupId + in: query + required: false + description: The IDs of one or more security groups. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: SecurityGroupId + - name: Ipv6AddressCount + in: query + required: false + description: 'The number of IPv6 addresses to assign to a network interface. Amazon EC2 automatically selects the IPv6 addresses from the subnet range. You can''t use this option if specifying specific IPv6 addresses. If your subnet has the AssignIpv6AddressOnCreation attribute set to true, you can specify 0 to override this setting.' + schema: + type: integer + - name: Ipv6Addresses + in: query + required: false + description: One or more specific IPv6 addresses from the IPv6 CIDR block range of your subnet. You can't use this option if you're specifying a number of IPv6 addresses. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceIpv6Address' + - xml: + name: item + - name: PrivateIpAddress + in: query + required: false + description: 'The primary private IPv4 address of the network interface. If you don''t specify an IPv4 address, Amazon EC2 selects one for you from the subnet''s IPv4 CIDR range. If you specify an IP address, you cannot indicate any IP addresses specified in privateIpAddresses as primary (only one IP address can be designated as primary).' + schema: + type: string + - name: PrivateIpAddresses + in: query + required: false + description: One or more private IPv4 addresses. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressSpecification' + - xml: + name: item + - name: SecondaryPrivateIpAddressCount + in: query + required: false + description: '

The number of secondary private IPv4 addresses to assign to a network interface. When you specify a number of secondary IPv4 addresses, Amazon EC2 selects these IP addresses within the subnet''s IPv4 CIDR range. You can''t specify this option and specify more than one private IP address using privateIpAddresses.

The number of IP addresses you can assign to a network interface varies by instance type. For more information, see IP Addresses Per ENI Per Instance Type in the Amazon Virtual Private Cloud User Guide.

' + schema: + type: integer + - name: Ipv4Prefix + in: query + required: false + description: One or more IPv4 prefixes assigned to the network interface. You cannot use this option if you use the Ipv4PrefixCount option. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixSpecificationRequest' + - xml: + name: item + - name: Ipv4PrefixCount + in: query + required: false + description: The number of IPv4 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv4 Prefixes option. + schema: + type: integer + - name: Ipv6Prefix + in: query + required: false + description: One or more IPv6 prefixes assigned to the network interface. You cannot use this option if you use the Ipv6PrefixCount option. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6PrefixSpecificationRequest' + - xml: + name: item + - name: Ipv6PrefixCount + in: query + required: false + description: The number of IPv6 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv6Prefixes option. + schema: + type: integer + - name: InterfaceType + in: query + required: false + description:

The type of network interface. The default is interface.

The only supported values are efa and trunk.

+ schema: + type: string + enum: + - efa + - branch + - trunk + - name: SubnetId + in: query + required: true + description: The ID of the subnet to associate with the network interface. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the new network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNetworkInterface + operationId: POST_CreateNetworkInterface + description: '

Creates a network interface in the specified subnet.

For more information about network interfaces, see Elastic Network Interfaces in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInterfaceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInterfaceRequest' + parameters: [] + /?Action=CreateNetworkInterfacePermission&Version=2016-11-15: + get: + x-aws-operation-name: CreateNetworkInterfacePermission + operationId: GET_CreateNetworkInterfacePermission + description: '

Grants an Amazon Web Services-authorized account permission to attach the specified network interface to an instance in their account.

You can grant permission to a single Amazon Web Services account only, and only one account at a time.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInterfacePermissionResult' + parameters: + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + - name: AwsAccountId + in: query + required: false + description: The Amazon Web Services account ID. + schema: + type: string + - name: AwsService + in: query + required: false + description: The Amazon Web Service. Currently not supported. + schema: + type: string + - name: Permission + in: query + required: true + description: The type of permission to grant. + schema: + type: string + enum: + - INSTANCE-ATTACH + - EIP-ASSOCIATE + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateNetworkInterfacePermission + operationId: POST_CreateNetworkInterfacePermission + description: '

Grants an Amazon Web Services-authorized account permission to attach the specified network interface to an instance in their account.

You can grant permission to a single Amazon Web Services account only, and only one account at a time.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInterfacePermissionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateNetworkInterfacePermissionRequest' + parameters: [] + /?Action=CreatePlacementGroup&Version=2016-11-15: + get: + x-aws-operation-name: CreatePlacementGroup + operationId: GET_CreatePlacementGroup + description: '

Creates a placement group in which to launch instances. The strategy of the placement group determines how the instances are organized within the group.

A cluster placement group is a logical grouping of instances within a single Availability Zone that benefit from low network latency, high network throughput. A spread placement group places instances on distinct hardware. A partition placement group places groups of instances in different partitions, where instances in one partition do not share the same hardware with instances in another partition.

For more information, see Placement groups in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreatePlacementGroupResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupName + in: query + required: false + description: '

A name for the placement group. Must be unique within the scope of your account for the Region.

Constraints: Up to 255 ASCII characters

' + schema: + type: string + - name: Strategy + in: query + required: false + description: The placement strategy. + schema: + type: string + enum: + - cluster + - spread + - partition + - name: PartitionCount + in: query + required: false + description: The number of partitions. Valid only when Strategy is set to partition. + schema: + type: integer + - name: TagSpecification + in: query + required: false + description: The tags to apply to the new placement group. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreatePlacementGroup + operationId: POST_CreatePlacementGroup + description: '

Creates a placement group in which to launch instances. The strategy of the placement group determines how the instances are organized within the group.

A cluster placement group is a logical grouping of instances within a single Availability Zone that benefit from low network latency, high network throughput. A spread placement group places instances on distinct hardware. A partition placement group places groups of instances in different partitions, where instances in one partition do not share the same hardware with instances in another partition.

For more information, see Placement groups in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreatePlacementGroupResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreatePlacementGroupRequest' + parameters: [] + /?Action=CreatePublicIpv4Pool&Version=2016-11-15: + get: + x-aws-operation-name: CreatePublicIpv4Pool + operationId: GET_CreatePublicIpv4Pool + description: 'Creates a public IPv4 address pool. A public IPv4 pool is an EC2 IP address pool required for the public IPv4 CIDRs that you own and bring to Amazon Web Services to manage with IPAM. IPv6 addresses you bring to Amazon Web Services, however, use IPAM pools only. To monitor the status of pool creation, use DescribePublicIpv4Pools.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreatePublicIpv4PoolResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreatePublicIpv4Pool + operationId: POST_CreatePublicIpv4Pool + description: 'Creates a public IPv4 address pool. A public IPv4 pool is an EC2 IP address pool required for the public IPv4 CIDRs that you own and bring to Amazon Web Services to manage with IPAM. IPv6 addresses you bring to Amazon Web Services, however, use IPAM pools only. To monitor the status of pool creation, use DescribePublicIpv4Pools.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreatePublicIpv4PoolResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreatePublicIpv4PoolRequest' + parameters: [] + /?Action=CreateReplaceRootVolumeTask&Version=2016-11-15: + get: + x-aws-operation-name: CreateReplaceRootVolumeTask + operationId: GET_CreateReplaceRootVolumeTask + description: '

Creates a root volume replacement task for an Amazon EC2 instance. The root volume can either be restored to its initial launch state, or it can be restored using a specific snapshot.

For more information, see Replace a root volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateReplaceRootVolumeTaskResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance for which to replace the root volume. + schema: + type: string + - name: SnapshotId + in: query + required: false + description: 'The ID of the snapshot from which to restore the replacement root volume. If you want to restore the volume to the initial launch state, omit this parameter.' + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier you provide to ensure the idempotency of the request. If you do not specify a client token, a randomly generated token is used for the request to ensure idempotency. For more information, see Ensuring idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to apply to the root volume replacement task. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateReplaceRootVolumeTask + operationId: POST_CreateReplaceRootVolumeTask + description: '

Creates a root volume replacement task for an Amazon EC2 instance. The root volume can either be restored to its initial launch state, or it can be restored using a specific snapshot.

For more information, see Replace a root volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateReplaceRootVolumeTaskResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateReplaceRootVolumeTaskRequest' + parameters: [] + /?Action=CreateReservedInstancesListing&Version=2016-11-15: + get: + x-aws-operation-name: CreateReservedInstancesListing + operationId: GET_CreateReservedInstancesListing + description: '

Creates a listing for Amazon EC2 Standard Reserved Instances to be sold in the Reserved Instance Marketplace. You can submit one Standard Reserved Instance listing at a time. To get a list of your Standard Reserved Instances, you can use the DescribeReservedInstances operation.

Only Standard Reserved Instances can be sold in the Reserved Instance Marketplace. Convertible Reserved Instances cannot be sold.

The Reserved Instance Marketplace matches sellers who want to resell Standard Reserved Instance capacity that they no longer need with buyers who want to purchase additional capacity. Reserved Instances bought and sold through the Reserved Instance Marketplace work like any other Reserved Instances.

To sell your Standard Reserved Instances, you must first register as a seller in the Reserved Instance Marketplace. After completing the registration process, you can create a Reserved Instance Marketplace listing of some or all of your Standard Reserved Instances, and specify the upfront price to receive for them. Your Standard Reserved Instance listings then become available for purchase. To view the details of your Standard Reserved Instance listing, you can use the DescribeReservedInstancesListings operation.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateReservedInstancesListingResult' + parameters: + - name: ClientToken + in: query + required: true + description: 'Unique, case-sensitive identifier you provide to ensure idempotency of your listings. This helps avoid duplicate listings. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: InstanceCount + in: query + required: true + description: The number of instances that are a part of a Reserved Instance account to be listed in the Reserved Instance Marketplace. This number should be less than or equal to the instance count associated with the Reserved Instance ID specified in this call. + schema: + type: integer + - name: PriceSchedules + in: query + required: true + description: A list specifying the price of the Standard Reserved Instance for each month remaining in the Reserved Instance term. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/PriceScheduleSpecification' + - xml: + name: item + - name: ReservedInstancesId + in: query + required: true + description: The ID of the active Standard Reserved Instance. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateReservedInstancesListing + operationId: POST_CreateReservedInstancesListing + description: '

Creates a listing for Amazon EC2 Standard Reserved Instances to be sold in the Reserved Instance Marketplace. You can submit one Standard Reserved Instance listing at a time. To get a list of your Standard Reserved Instances, you can use the DescribeReservedInstances operation.

Only Standard Reserved Instances can be sold in the Reserved Instance Marketplace. Convertible Reserved Instances cannot be sold.

The Reserved Instance Marketplace matches sellers who want to resell Standard Reserved Instance capacity that they no longer need with buyers who want to purchase additional capacity. Reserved Instances bought and sold through the Reserved Instance Marketplace work like any other Reserved Instances.

To sell your Standard Reserved Instances, you must first register as a seller in the Reserved Instance Marketplace. After completing the registration process, you can create a Reserved Instance Marketplace listing of some or all of your Standard Reserved Instances, and specify the upfront price to receive for them. Your Standard Reserved Instance listings then become available for purchase. To view the details of your Standard Reserved Instance listing, you can use the DescribeReservedInstancesListings operation.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateReservedInstancesListingResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateReservedInstancesListingRequest' + parameters: [] + /?Action=CreateRestoreImageTask&Version=2016-11-15: + get: + x-aws-operation-name: CreateRestoreImageTask + operationId: GET_CreateRestoreImageTask + description: '

Starts a task that restores an AMI from an Amazon S3 object that was previously created by using CreateStoreImageTask.

To use this API, you must have the required permissions. For more information, see Permissions for storing and restoring AMIs using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

For more information, see Store and restore an AMI using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRestoreImageTaskResult' + parameters: + - name: Bucket + in: query + required: true + description: The name of the Amazon S3 bucket that contains the stored AMI object. + schema: + type: string + - name: ObjectKey + in: query + required: true + description: The name of the stored AMI object in the bucket. + schema: + type: string + - name: Name + in: query + required: false + description: 'The name for the restored AMI. The name must be unique for AMIs in the Region for this account. If you do not provide a name, the new AMI gets the same name as the original AMI.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: '

The tags to apply to the AMI and snapshots on restoration. You can tag the AMI, the snapshots, or both.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateRestoreImageTask + operationId: POST_CreateRestoreImageTask + description: '

Starts a task that restores an AMI from an Amazon S3 object that was previously created by using CreateStoreImageTask.

To use this API, you must have the required permissions. For more information, see Permissions for storing and restoring AMIs using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

For more information, see Store and restore an AMI using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRestoreImageTaskResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRestoreImageTaskRequest' + parameters: [] + /?Action=CreateRoute&Version=2016-11-15: + get: + x-aws-operation-name: CreateRoute + operationId: GET_CreateRoute + description: '

Creates a route in a route table within a VPC.

You must specify one of the following targets: internet gateway or virtual private gateway, NAT instance, NAT gateway, VPC peering connection, network interface, egress-only internet gateway, or transit gateway.

When determining how to route traffic, we use the route with the most specific match. For example, traffic is destined for the IPv4 address 192.0.2.3, and the route table includes the following two IPv4 routes:

Both routes apply to the traffic destined for 192.0.2.3. However, the second route in the list covers a smaller number of IP addresses and is therefore more specific, so we use that route to determine where to target the traffic.

For more information about route tables, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRouteResult' + parameters: + - name: DestinationCidrBlock + in: query + required: false + description: 'The IPv4 CIDR address block used for the destination match. Routing decisions are based on the most specific match. We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.' + schema: + type: string + - name: DestinationIpv6CidrBlock + in: query + required: false + description: The IPv6 CIDR block used for the destination match. Routing decisions are based on the most specific match. + schema: + type: string + - name: DestinationPrefixListId + in: query + required: false + description: The ID of a prefix list used for the destination match. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcEndpointId + in: query + required: false + description: The ID of a VPC endpoint. Supported for Gateway Load Balancer endpoints only. + schema: + type: string + - name: EgressOnlyInternetGatewayId + in: query + required: false + description: '[IPv6 traffic only] The ID of an egress-only internet gateway.' + schema: + type: string + - name: GatewayId + in: query + required: false + description: The ID of an internet gateway or virtual private gateway attached to your VPC. + schema: + type: string + - name: InstanceId + in: query + required: false + description: The ID of a NAT instance in your VPC. The operation fails if you specify an instance ID unless exactly one network interface is attached. + schema: + type: string + - name: NatGatewayId + in: query + required: false + description: '[IPv4 traffic only] The ID of a NAT gateway.' + schema: + type: string + - name: TransitGatewayId + in: query + required: false + description: The ID of a transit gateway. + schema: + type: string + - name: LocalGatewayId + in: query + required: false + description: The ID of the local gateway. + schema: + type: string + - name: CarrierGatewayId + in: query + required: false + description:

The ID of the carrier gateway.

You can only use this option when the VPC contains a subnet which is associated with a Wavelength Zone.

+ schema: + type: string + - name: NetworkInterfaceId + in: query + required: false + description: The ID of a network interface. + schema: + type: string + - name: RouteTableId + in: query + required: true + description: The ID of the route table for the route. + schema: + type: string + - name: VpcPeeringConnectionId + in: query + required: false + description: The ID of a VPC peering connection. + schema: + type: string + - name: CoreNetworkArn + in: query + required: false + description: The Amazon Resource Name (ARN) of the core network. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateRoute + operationId: POST_CreateRoute + description: '

Creates a route in a route table within a VPC.

You must specify one of the following targets: internet gateway or virtual private gateway, NAT instance, NAT gateway, VPC peering connection, network interface, egress-only internet gateway, or transit gateway.

When determining how to route traffic, we use the route with the most specific match. For example, traffic is destined for the IPv4 address 192.0.2.3, and the route table includes the following two IPv4 routes:

Both routes apply to the traffic destined for 192.0.2.3. However, the second route in the list covers a smaller number of IP addresses and is therefore more specific, so we use that route to determine where to target the traffic.

For more information about route tables, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRouteRequest' + parameters: [] + /?Action=CreateRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: CreateRouteTable + operationId: GET_CreateRouteTable + description: '

Creates a route table for the specified VPC. After you create a route table, you can add routes and associate the table with a subnet.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRouteTableResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the route table. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateRouteTable + operationId: POST_CreateRouteTable + description: '

Creates a route table for the specified VPC. After you create a route table, you can add routes and associate the table with a subnet.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRouteTableResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateRouteTableRequest' + parameters: [] + /?Action=CreateSecurityGroup&Version=2016-11-15: + get: + x-aws-operation-name: CreateSecurityGroup + operationId: GET_CreateSecurityGroup + description: '

Creates a security group.

A security group acts as a virtual firewall for your instance to control inbound and outbound traffic. For more information, see Amazon EC2 security groups in the Amazon Elastic Compute Cloud User Guide and Security groups for your VPC in the Amazon Virtual Private Cloud User Guide.

When you create a security group, you specify a friendly name of your choice. You can have a security group for use in EC2-Classic with the same name as a security group for use in a VPC. However, you can''t have two security groups for use in EC2-Classic with the same name or two security groups for use in a VPC with the same name.

You have a default security group for use in EC2-Classic and a default security group for use in your VPC. If you don''t specify a security group when you launch an instance, the instance is launched into the appropriate default security group. A default security group includes a default rule that grants instances unrestricted network access to each other.

You can add or remove rules from your security groups using AuthorizeSecurityGroupIngress, AuthorizeSecurityGroupEgress, RevokeSecurityGroupIngress, and RevokeSecurityGroupEgress.

For more information about VPC security group limits, see Amazon VPC Limits.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSecurityGroupResult' + parameters: + - name: GroupDescription + in: query + required: true + description: '

A description for the security group. This is informational only.

Constraints: Up to 255 characters in length

Constraints for EC2-Classic: ASCII characters

Constraints for EC2-VPC: a-z, A-Z, 0-9, spaces, and ._-:/()#,@[]+=&;{}!$*

' + schema: + type: string + - name: GroupName + in: query + required: true + description: '

The name of the security group.

Constraints: Up to 255 characters in length. Cannot start with sg-.

Constraints for EC2-Classic: ASCII characters

Constraints for EC2-VPC: a-z, A-Z, 0-9, spaces, and ._-:/()#,@[]+=&;{}!$*

' + schema: + type: string + - name: VpcId + in: query + required: false + description: '[EC2-VPC] The ID of the VPC. Required for EC2-VPC.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the security group. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateSecurityGroup + operationId: POST_CreateSecurityGroup + description: '

Creates a security group.

A security group acts as a virtual firewall for your instance to control inbound and outbound traffic. For more information, see Amazon EC2 security groups in the Amazon Elastic Compute Cloud User Guide and Security groups for your VPC in the Amazon Virtual Private Cloud User Guide.

When you create a security group, you specify a friendly name of your choice. You can have a security group for use in EC2-Classic with the same name as a security group for use in a VPC. However, you can''t have two security groups for use in EC2-Classic with the same name or two security groups for use in a VPC with the same name.

You have a default security group for use in EC2-Classic and a default security group for use in your VPC. If you don''t specify a security group when you launch an instance, the instance is launched into the appropriate default security group. A default security group includes a default rule that grants instances unrestricted network access to each other.

You can add or remove rules from your security groups using AuthorizeSecurityGroupIngress, AuthorizeSecurityGroupEgress, RevokeSecurityGroupIngress, and RevokeSecurityGroupEgress.

For more information about VPC security group limits, see Amazon VPC Limits.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSecurityGroupResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSecurityGroupRequest' + parameters: [] + /?Action=CreateSnapshot&Version=2016-11-15: + get: + x-aws-operation-name: CreateSnapshot + operationId: GET_CreateSnapshot + description: '

Creates a snapshot of an EBS volume and stores it in Amazon S3. You can use snapshots for backups, to make copies of EBS volumes, and to save data before shutting down an instance.

You can create snapshots of volumes in a Region and volumes on an Outpost. If you create a snapshot of a volume in a Region, the snapshot must be stored in the same Region as the volume. If you create a snapshot of a volume on an Outpost, the snapshot can be stored on the same Outpost as the volume, or in the Region for that Outpost.

When a snapshot is created, any Amazon Web Services Marketplace product codes that are associated with the source volume are propagated to the snapshot.

You can take a snapshot of an attached volume that is in use. However, snapshots only capture data that has been written to your Amazon EBS volume at the time the snapshot command is issued; this might exclude any data that has been cached by any applications or the operating system. If you can pause any file systems on the volume long enough to take a snapshot, your snapshot should be complete. However, if you cannot pause all file writes to the volume, you should unmount the volume from within the instance, issue the snapshot command, and then remount the volume to ensure a consistent and complete snapshot. You may remount and use your volume while the snapshot status is pending.

To create a snapshot for Amazon EBS volumes that serve as root devices, you should stop the instance before taking the snapshot.

Snapshots that are taken from encrypted volumes are automatically encrypted. Volumes that are created from encrypted snapshots are also automatically encrypted. Your encrypted volumes and any associated snapshots always remain protected.

You can tag your snapshots during creation. For more information, see Tag your Amazon EC2 resources in the Amazon Elastic Compute Cloud User Guide.

For more information, see Amazon Elastic Block Store and Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/Snapshot' + parameters: + - name: Description + in: query + required: false + description: A description for the snapshot. + schema: + type: string + - name: OutpostArn + in: query + required: false + description: '

The Amazon Resource Name (ARN) of the Outpost on which to create a local snapshot.

For more information, see Create local snapshots from volumes on an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + schema: + type: string + - name: VolumeId + in: query + required: true + description: The ID of the Amazon EBS volume. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the snapshot during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateSnapshot + operationId: POST_CreateSnapshot + description: '

Creates a snapshot of an EBS volume and stores it in Amazon S3. You can use snapshots for backups, to make copies of EBS volumes, and to save data before shutting down an instance.

You can create snapshots of volumes in a Region and volumes on an Outpost. If you create a snapshot of a volume in a Region, the snapshot must be stored in the same Region as the volume. If you create a snapshot of a volume on an Outpost, the snapshot can be stored on the same Outpost as the volume, or in the Region for that Outpost.

When a snapshot is created, any Amazon Web Services Marketplace product codes that are associated with the source volume are propagated to the snapshot.

You can take a snapshot of an attached volume that is in use. However, snapshots only capture data that has been written to your Amazon EBS volume at the time the snapshot command is issued; this might exclude any data that has been cached by any applications or the operating system. If you can pause any file systems on the volume long enough to take a snapshot, your snapshot should be complete. However, if you cannot pause all file writes to the volume, you should unmount the volume from within the instance, issue the snapshot command, and then remount the volume to ensure a consistent and complete snapshot. You may remount and use your volume while the snapshot status is pending.

To create a snapshot for Amazon EBS volumes that serve as root devices, you should stop the instance before taking the snapshot.

Snapshots that are taken from encrypted volumes are automatically encrypted. Volumes that are created from encrypted snapshots are also automatically encrypted. Your encrypted volumes and any associated snapshots always remain protected.

You can tag your snapshots during creation. For more information, see Tag your Amazon EC2 resources in the Amazon Elastic Compute Cloud User Guide.

For more information, see Amazon Elastic Block Store and Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/Snapshot' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSnapshotRequest' + parameters: [] + /?Action=CreateSnapshots&Version=2016-11-15: + get: + x-aws-operation-name: CreateSnapshots + operationId: GET_CreateSnapshots + description: '

Creates crash-consistent snapshots of multiple EBS volumes and stores the data in S3. Volumes are chosen by specifying an instance. Any attached volumes will produce one snapshot each that is crash-consistent across the instance. Boot volumes can be excluded by changing the parameters.

You can create multi-volume snapshots of instances in a Region and instances on an Outpost. If you create snapshots from an instance in a Region, the snapshots must be stored in the same Region as the instance. If you create snapshots from an instance on an Outpost, the snapshots can be stored on the same Outpost as the instance, or in the Region for that Outpost.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSnapshotsResult' + parameters: + - name: Description + in: query + required: false + description: ' A description propagated to every snapshot specified by the instance.' + schema: + type: string + - name: InstanceSpecification + in: query + required: true + description: The instance to specify which volumes should be included in the snapshots. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Excludes the root volume from being snapshotted. + description: The instance details to specify which volumes should be snapshotted. + - name: OutpostArn + in: query + required: false + description: '

The Amazon Resource Name (ARN) of the Outpost on which to create the local snapshots.

For more information, see Create multi-volume local snapshots from instances on an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: Tags to apply to every snapshot specified by the instance. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: CopyTagsFromSource + in: query + required: false + description: Copies the tags from the specified volume to corresponding snapshot. + schema: + type: string + enum: + - volume + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateSnapshots + operationId: POST_CreateSnapshots + description: '

Creates crash-consistent snapshots of multiple EBS volumes and stores the data in S3. Volumes are chosen by specifying an instance. Any attached volumes will produce one snapshot each that is crash-consistent across the instance. Boot volumes can be excluded by changing the parameters.

You can create multi-volume snapshots of instances in a Region and instances on an Outpost. If you create snapshots from an instance in a Region, the snapshots must be stored in the same Region as the instance. If you create snapshots from an instance on an Outpost, the snapshots can be stored on the same Outpost as the instance, or in the Region for that Outpost.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSnapshotsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSnapshotsRequest' + parameters: [] + /?Action=CreateSpotDatafeedSubscription&Version=2016-11-15: + get: + x-aws-operation-name: CreateSpotDatafeedSubscription + operationId: GET_CreateSpotDatafeedSubscription + description: 'Creates a data feed for Spot Instances, enabling you to view Spot Instance usage logs. You can create one data feed per Amazon Web Services account. For more information, see Spot Instance data feed in the Amazon EC2 User Guide for Linux Instances.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSpotDatafeedSubscriptionResult' + parameters: + - name: Bucket + in: query + required: true + description: 'The name of the Amazon S3 bucket in which to store the Spot Instance data feed. For more information about bucket names, see Rules for bucket naming in the Amazon S3 Developer Guide.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Prefix + in: query + required: false + description: The prefix for the data feed file names. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateSpotDatafeedSubscription + operationId: POST_CreateSpotDatafeedSubscription + description: 'Creates a data feed for Spot Instances, enabling you to view Spot Instance usage logs. You can create one data feed per Amazon Web Services account. For more information, see Spot Instance data feed in the Amazon EC2 User Guide for Linux Instances.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSpotDatafeedSubscriptionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSpotDatafeedSubscriptionRequest' + parameters: [] + /?Action=CreateStoreImageTask&Version=2016-11-15: + get: + x-aws-operation-name: CreateStoreImageTask + operationId: GET_CreateStoreImageTask + description: '

Stores an AMI as a single object in an Amazon S3 bucket.

To use this API, you must have the required permissions. For more information, see Permissions for storing and restoring AMIs using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

For more information, see Store and restore an AMI using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateStoreImageTaskResult' + parameters: + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: Bucket + in: query + required: true + description: 'The name of the Amazon S3 bucket in which the AMI object will be stored. The bucket must be in the Region in which the request is being made. The AMI object appears in the bucket only after the upload task has completed. ' + schema: + type: string + - name: S3ObjectTag + in: query + required: false + description: 'The tags to apply to the AMI object that will be stored in the Amazon S3 bucket. ' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/S3ObjectTag' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateStoreImageTask + operationId: POST_CreateStoreImageTask + description: '

Stores an AMI as a single object in an Amazon S3 bucket.

To use this API, you must have the required permissions. For more information, see Permissions for storing and restoring AMIs using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

For more information, see Store and restore an AMI using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateStoreImageTaskResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateStoreImageTaskRequest' + parameters: [] + /?Action=CreateSubnet&Version=2016-11-15: + get: + x-aws-operation-name: CreateSubnet + operationId: GET_CreateSubnet + description: '

Creates a subnet in a specified VPC.

You must specify an IPv4 CIDR block for the subnet. After you create a subnet, you can''t change its CIDR block. The allowed block size is between a /16 netmask (65,536 IP addresses) and /28 netmask (16 IP addresses). The CIDR block must not overlap with the CIDR block of an existing subnet in the VPC.

If you''ve associated an IPv6 CIDR block with your VPC, you can create a subnet with an IPv6 CIDR block that uses a /64 prefix length.

Amazon Web Services reserves both the first four and the last IPv4 address in each subnet''s CIDR block. They''re not available for use.

If you add more than one subnet to a VPC, they''re set up in a star topology with a logical router in the middle.

When you stop an instance in a subnet, it retains its private IPv4 address. It''s therefore possible to have a subnet with no running instances (they''re all stopped), but no remaining IP addresses available.

For more information about subnets, see Your VPC and subnets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSubnetResult' + parameters: + - name: TagSpecification + in: query + required: false + description: The tags to assign to the subnet. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: AvailabilityZone + in: query + required: false + description: '

The Availability Zone or Local Zone for the subnet.

Default: Amazon Web Services selects one for you. If you create more than one subnet in your VPC, we do not necessarily select a different zone for each subnet.

To create a subnet in a Local Zone, set this value to the Local Zone ID, for example us-west-2-lax-1a. For information about the Regions that support Local Zones, see Available Regions in the Amazon Elastic Compute Cloud User Guide.

To create a subnet in an Outpost, set this value to the Availability Zone for the Outpost and specify the Outpost ARN.

' + schema: + type: string + - name: AvailabilityZoneId + in: query + required: false + description: The AZ ID or the Local Zone ID of the subnet. + schema: + type: string + - name: CidrBlock + in: query + required: false + description: '

The IPv4 network range for the subnet, in CIDR notation. For example, 10.0.0.0/24. We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.

This parameter is not supported for an IPv6 only subnet.

' + schema: + type: string + - name: Ipv6CidrBlock + in: query + required: false + description: '

The IPv6 network range for the subnet, in CIDR notation. The subnet size must use a /64 prefix length.

This parameter is required for an IPv6 only subnet.

' + schema: + type: string + - name: OutpostArn + in: query + required: false + description: 'The Amazon Resource Name (ARN) of the Outpost. If you specify an Outpost ARN, you must also specify the Availability Zone of the Outpost subnet.' + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Ipv6Native + in: query + required: false + description: Indicates whether to create an IPv6 only subnet. + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateSubnet + operationId: POST_CreateSubnet + description: '

Creates a subnet in a specified VPC.

You must specify an IPv4 CIDR block for the subnet. After you create a subnet, you can''t change its CIDR block. The allowed block size is between a /16 netmask (65,536 IP addresses) and /28 netmask (16 IP addresses). The CIDR block must not overlap with the CIDR block of an existing subnet in the VPC.

If you''ve associated an IPv6 CIDR block with your VPC, you can create a subnet with an IPv6 CIDR block that uses a /64 prefix length.

Amazon Web Services reserves both the first four and the last IPv4 address in each subnet''s CIDR block. They''re not available for use.

If you add more than one subnet to a VPC, they''re set up in a star topology with a logical router in the middle.

When you stop an instance in a subnet, it retains its private IPv4 address. It''s therefore possible to have a subnet with no running instances (they''re all stopped), but no remaining IP addresses available.

For more information about subnets, see Your VPC and subnets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSubnetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSubnetRequest' + parameters: [] + /?Action=CreateSubnetCidrReservation&Version=2016-11-15: + get: + x-aws-operation-name: CreateSubnetCidrReservation + operationId: GET_CreateSubnetCidrReservation + description: 'Creates a subnet CIDR reservation. For information about subnet CIDR reservations, see Subnet CIDR reservations in the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSubnetCidrReservationResult' + parameters: + - name: SubnetId + in: query + required: true + description: The ID of the subnet. + schema: + type: string + - name: Cidr + in: query + required: true + description: The IPv4 or IPV6 CIDR range to reserve. + schema: + type: string + - name: ReservationType + in: query + required: true + description: '

The type of reservation.

The following are valid values:

' + schema: + type: string + enum: + - prefix + - explicit + - name: Description + in: query + required: false + description: The description to assign to the subnet CIDR reservation. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to assign to the subnet CIDR reservation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateSubnetCidrReservation + operationId: POST_CreateSubnetCidrReservation + description: 'Creates a subnet CIDR reservation. For information about subnet CIDR reservations, see Subnet CIDR reservations in the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSubnetCidrReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSubnetCidrReservationRequest' + parameters: [] + /?Action=CreateTags&Version=2016-11-15: + get: + x-aws-operation-name: CreateTags + operationId: GET_CreateTags + description: '

Adds or overwrites only the specified tags for the specified Amazon EC2 resource or resources. When you specify an existing tag key, the value is overwritten with the new value. Each resource can have a maximum of 50 tags. Each tag consists of a key and optional value. Tag keys must be unique per resource.

For more information about tags, see Tagging Your Resources in the Amazon Elastic Compute Cloud User Guide. For more information about creating IAM policies that control users'' access to resources based on tags, see Supported Resource-Level Permissions for Amazon EC2 API Actions in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ResourceId + in: query + required: true + description: '

The IDs of the resources, separated by spaces.

Constraints: Up to 1000 resource IDs. We recommend breaking up this request into smaller batches.

' + schema: + type: array + items: + $ref: '#/components/schemas/TaggableResourceId' + - name: Tag + in: query + required: true + description: 'The tags. The value parameter is required, but if you don''t want the tag to have a value, specify the parameter with no value, and we set the value to an empty string.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Tag' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTags + operationId: POST_CreateTags + description: '

Adds or overwrites only the specified tags for the specified Amazon EC2 resource or resources. When you specify an existing tag key, the value is overwritten with the new value. Each resource can have a maximum of 50 tags. Each tag consists of a key and optional value. Tag keys must be unique per resource.

For more information about tags, see Tagging Your Resources in the Amazon Elastic Compute Cloud User Guide. For more information about creating IAM policies that control users'' access to resources based on tags, see Supported Resource-Level Permissions for Amazon EC2 API Actions in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTagsRequest' + parameters: [] + /?Action=CreateTrafficMirrorFilter&Version=2016-11-15: + get: + x-aws-operation-name: CreateTrafficMirrorFilter + operationId: GET_CreateTrafficMirrorFilter + description: '

Creates a Traffic Mirror filter.

A Traffic Mirror filter is a set of rules that defines the traffic to mirror.

By default, no traffic is mirrored. To mirror traffic, use CreateTrafficMirrorFilterRule to add Traffic Mirror rules to the filter. The rules you add define what traffic gets mirrored. You can also use ModifyTrafficMirrorFilterNetworkServices to mirror supported network services.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorFilterResult' + parameters: + - name: Description + in: query + required: false + description: The description of the Traffic Mirror filter. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to a Traffic Mirror filter. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTrafficMirrorFilter + operationId: POST_CreateTrafficMirrorFilter + description: '

Creates a Traffic Mirror filter.

A Traffic Mirror filter is a set of rules that defines the traffic to mirror.

By default, no traffic is mirrored. To mirror traffic, use CreateTrafficMirrorFilterRule to add Traffic Mirror rules to the filter. The rules you add define what traffic gets mirrored. You can also use ModifyTrafficMirrorFilterNetworkServices to mirror supported network services.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorFilterResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorFilterRequest' + parameters: [] + /?Action=CreateTrafficMirrorFilterRule&Version=2016-11-15: + get: + x-aws-operation-name: CreateTrafficMirrorFilterRule + operationId: GET_CreateTrafficMirrorFilterRule + description:

Creates a Traffic Mirror filter rule.

A Traffic Mirror rule defines the Traffic Mirror source traffic to mirror.

You need the Traffic Mirror filter ID when you create the rule.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorFilterRuleResult' + parameters: + - name: TrafficMirrorFilterId + in: query + required: true + description: The ID of the filter that this rule is associated with. + schema: + type: string + - name: TrafficDirection + in: query + required: true + description: The type of traffic. + schema: + type: string + enum: + - ingress + - egress + - name: RuleNumber + in: query + required: true + description: The number of the Traffic Mirror rule. This number must be unique for each Traffic Mirror rule in a given direction. The rules are processed in ascending order by rule number. + schema: + type: integer + - name: RuleAction + in: query + required: true + description: The action to take on the filtered traffic. + schema: + type: string + enum: + - accept + - reject + - name: DestinationPortRange + in: query + required: false + description: The destination port range. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the Traffic Mirror port range. This applies to the TCP and UDP protocols. + description: Information about the Traffic Mirror filter rule port range. + - name: SourcePortRange + in: query + required: false + description: The source port range. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the Traffic Mirror port range. This applies to the TCP and UDP protocols. + description: Information about the Traffic Mirror filter rule port range. + - name: Protocol + in: query + required: false + description: '

The protocol, for example UDP, to assign to the Traffic Mirror rule.

For information about the protocol value, see Protocol Numbers on the Internet Assigned Numbers Authority (IANA) website.

' + schema: + type: integer + - name: DestinationCidrBlock + in: query + required: true + description: The destination CIDR block to assign to the Traffic Mirror rule. + schema: + type: string + - name: SourceCidrBlock + in: query + required: true + description: The source CIDR block to assign to the Traffic Mirror rule. + schema: + type: string + - name: Description + in: query + required: false + description: The description of the Traffic Mirror rule. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTrafficMirrorFilterRule + operationId: POST_CreateTrafficMirrorFilterRule + description:

Creates a Traffic Mirror filter rule.

A Traffic Mirror rule defines the Traffic Mirror source traffic to mirror.

You need the Traffic Mirror filter ID when you create the rule.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorFilterRuleResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorFilterRuleRequest' + parameters: [] + /?Action=CreateTrafficMirrorSession&Version=2016-11-15: + get: + x-aws-operation-name: CreateTrafficMirrorSession + operationId: GET_CreateTrafficMirrorSession + description: '

Creates a Traffic Mirror session.

A Traffic Mirror session actively copies packets from a Traffic Mirror source to a Traffic Mirror target. Create a filter, and then assign it to the session to define a subset of the traffic to mirror, for example all TCP traffic.

The Traffic Mirror source and the Traffic Mirror target (monitoring appliances) can be in the same VPC, or in a different VPC connected via VPC peering or a transit gateway.

By default, no traffic is mirrored. Use CreateTrafficMirrorFilter to create filter rules that specify the traffic to mirror.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorSessionResult' + parameters: + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the source network interface. + schema: + type: string + - name: TrafficMirrorTargetId + in: query + required: true + description: The ID of the Traffic Mirror target. + schema: + type: string + - name: TrafficMirrorFilterId + in: query + required: true + description: The ID of the Traffic Mirror filter. + schema: + type: string + - name: PacketLength + in: query + required: false + description: '

The number of bytes in each packet to mirror. These are bytes after the VXLAN header. Do not specify this parameter when you want to mirror the entire packet. To mirror a subset of the packet, set this to the length (in bytes) that you want to mirror. For example, if you set this value to 100, then the first 100 bytes that meet the filter criteria are copied to the target.

If you do not want to mirror the entire packet, use the PacketLength parameter to specify the number of bytes in each packet to mirror.

' + schema: + type: integer + - name: SessionNumber + in: query + required: true + description:

The session number determines the order in which sessions are evaluated when an interface is used by multiple sessions. The first session with a matching filter is the one that mirrors the packets.

Valid values are 1-32766.

+ schema: + type: integer + - name: VirtualNetworkId + in: query + required: false + description: 'The VXLAN ID for the Traffic Mirror session. For more information about the VXLAN protocol, see RFC 7348. If you do not specify a VirtualNetworkId, an account-wide unique id is chosen at random.' + schema: + type: integer + - name: Description + in: query + required: false + description: The description of the Traffic Mirror session. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to a Traffic Mirror session. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTrafficMirrorSession + operationId: POST_CreateTrafficMirrorSession + description: '

Creates a Traffic Mirror session.

A Traffic Mirror session actively copies packets from a Traffic Mirror source to a Traffic Mirror target. Create a filter, and then assign it to the session to define a subset of the traffic to mirror, for example all TCP traffic.

The Traffic Mirror source and the Traffic Mirror target (monitoring appliances) can be in the same VPC, or in a different VPC connected via VPC peering or a transit gateway.

By default, no traffic is mirrored. Use CreateTrafficMirrorFilter to create filter rules that specify the traffic to mirror.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorSessionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorSessionRequest' + parameters: [] + /?Action=CreateTrafficMirrorTarget&Version=2016-11-15: + get: + x-aws-operation-name: CreateTrafficMirrorTarget + operationId: GET_CreateTrafficMirrorTarget + description: '

Creates a target for your Traffic Mirror session.

A Traffic Mirror target is the destination for mirrored traffic. The Traffic Mirror source and the Traffic Mirror target (monitoring appliances) can be in the same VPC, or in different VPCs connected via VPC peering or a transit gateway.

A Traffic Mirror target can be a network interface, a Network Load Balancer, or a Gateway Load Balancer endpoint.

To use the target in a Traffic Mirror session, use CreateTrafficMirrorSession.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorTargetResult' + parameters: + - name: NetworkInterfaceId + in: query + required: false + description: The network interface ID that is associated with the target. + schema: + type: string + - name: NetworkLoadBalancerArn + in: query + required: false + description: The Amazon Resource Name (ARN) of the Network Load Balancer that is associated with the target. + schema: + type: string + - name: Description + in: query + required: false + description: The description of the Traffic Mirror target. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the Traffic Mirror target. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: GatewayLoadBalancerEndpointId + in: query + required: false + description: The ID of the Gateway Load Balancer endpoint. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTrafficMirrorTarget + operationId: POST_CreateTrafficMirrorTarget + description: '

Creates a target for your Traffic Mirror session.

A Traffic Mirror target is the destination for mirrored traffic. The Traffic Mirror source and the Traffic Mirror target (monitoring appliances) can be in the same VPC, or in different VPCs connected via VPC peering or a transit gateway.

A Traffic Mirror target can be a network interface, a Network Load Balancer, or a Gateway Load Balancer endpoint.

To use the target in a Traffic Mirror session, use CreateTrafficMirrorSession.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorTargetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTrafficMirrorTargetRequest' + parameters: [] + /?Action=CreateTransitGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGateway + operationId: GET_CreateTransitGateway + description: '

Creates a transit gateway.

You can use a transit gateway to interconnect your virtual private clouds (VPC) and on-premises networks. After the transit gateway enters the available state, you can attach your VPCs and VPN connections to the transit gateway.

To attach your VPCs, use CreateTransitGatewayVpcAttachment.

To attach a VPN connection, use CreateCustomerGateway to create a customer gateway and specify the ID of the customer gateway and the ID of the transit gateway in a call to CreateVpnConnection.

When you create a transit gateway, we create a default transit gateway route table and use it as the default association route table and the default propagation route table. You can use CreateTransitGatewayRouteTable to create additional transit gateway route tables. If you disable automatic route propagation, we do not create a default transit gateway route table. You can use EnableTransitGatewayRouteTablePropagation to propagate routes from a resource attachment to a transit gateway route table. If you disable automatic associations, you can use AssociateTransitGatewayRouteTable to associate a resource attachment with a transit gateway route table.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayResult' + parameters: + - name: Description + in: query + required: false + description: A description of the transit gateway. + schema: + type: string + - name: Options + in: query + required: false + description: The transit gateway options. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayCidrBlockStringList' + - description: 'One or more IPv4 or IPv6 CIDR blocks for the transit gateway. Must be a size /24 CIDR block or larger for IPv4, or a size /64 CIDR block or larger for IPv6.' + description: Describes the options for a transit gateway. + - name: TagSpecification + in: query + required: false + description: The tags to apply to the transit gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGateway + operationId: POST_CreateTransitGateway + description: '

Creates a transit gateway.

You can use a transit gateway to interconnect your virtual private clouds (VPC) and on-premises networks. After the transit gateway enters the available state, you can attach your VPCs and VPN connections to the transit gateway.

To attach your VPCs, use CreateTransitGatewayVpcAttachment.

To attach a VPN connection, use CreateCustomerGateway to create a customer gateway and specify the ID of the customer gateway and the ID of the transit gateway in a call to CreateVpnConnection.

When you create a transit gateway, we create a default transit gateway route table and use it as the default association route table and the default propagation route table. You can use CreateTransitGatewayRouteTable to create additional transit gateway route tables. If you disable automatic route propagation, we do not create a default transit gateway route table. You can use EnableTransitGatewayRouteTablePropagation to propagate routes from a resource attachment to a transit gateway route table. If you disable automatic associations, you can use AssociateTransitGatewayRouteTable to associate a resource attachment with a transit gateway route table.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRequest' + parameters: [] + /?Action=CreateTransitGatewayConnect&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayConnect + operationId: GET_CreateTransitGatewayConnect + description:

Creates a Connect attachment from a specified transit gateway attachment. A Connect attachment is a GRE-based tunnel attachment that you can use to establish a connection between a transit gateway and an appliance.

A Connect attachment uses an existing VPC or Amazon Web Services Direct Connect attachment as the underlying transport mechanism.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayConnectResult' + parameters: + - name: TransportTransitGatewayAttachmentId + in: query + required: true + description: The ID of the transit gateway attachment. You can specify a VPC attachment or Amazon Web Services Direct Connect attachment. + schema: + type: string + - name: Options + in: query + required: true + description: The Connect attachment options. + schema: + type: object + required: + - Protocol + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ProtocolValue' + - description: The tunnel protocol. + description: The options for a Connect attachment. + - name: TagSpecification + in: query + required: false + description: The tags to apply to the Connect attachment. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayConnect + operationId: POST_CreateTransitGatewayConnect + description:

Creates a Connect attachment from a specified transit gateway attachment. A Connect attachment is a GRE-based tunnel attachment that you can use to establish a connection between a transit gateway and an appliance.

A Connect attachment uses an existing VPC or Amazon Web Services Direct Connect attachment as the underlying transport mechanism.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayConnectResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayConnectRequest' + parameters: [] + /?Action=CreateTransitGatewayConnectPeer&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayConnectPeer + operationId: GET_CreateTransitGatewayConnectPeer + description: '

Creates a Connect peer for a specified transit gateway Connect attachment between a transit gateway and an appliance.

The peer address and transit gateway address must be the same IP address family (IPv4 or IPv6).

For more information, see Connect peers in the Transit Gateways Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayConnectPeerResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the Connect attachment. + schema: + type: string + - name: TransitGatewayAddress + in: query + required: false + description: 'The peer IP address (GRE outer IP address) on the transit gateway side of the Connect peer, which must be specified from a transit gateway CIDR block. If not specified, Amazon automatically assigns the first available IP address from the transit gateway CIDR block.' + schema: + type: string + - name: PeerAddress + in: query + required: true + description: The peer IP address (GRE outer IP address) on the appliance side of the Connect peer. + schema: + type: string + - name: BgpOptions + in: query + required: false + description: The BGP options for the Connect peer. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Long' + - description: The peer Autonomous System Number (ASN). + description: The BGP options for the Connect attachment. + - name: InsideCidrBlocks + in: query + required: true + description: 'The range of inside IP addresses that are used for BGP peering. You must specify a size /29 IPv4 CIDR block from the 169.254.0.0/16 range. The first address from the range must be configured on the appliance as the BGP IP address. You can also optionally specify a size /125 IPv6 CIDR block from the fd00::/8 range.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: TagSpecification + in: query + required: false + description: The tags to apply to the Connect peer. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayConnectPeer + operationId: POST_CreateTransitGatewayConnectPeer + description: '

Creates a Connect peer for a specified transit gateway Connect attachment between a transit gateway and an appliance.

The peer address and transit gateway address must be the same IP address family (IPv4 or IPv6).

For more information, see Connect peers in the Transit Gateways Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayConnectPeerResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayConnectPeerRequest' + parameters: [] + /?Action=CreateTransitGatewayMulticastDomain&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayMulticastDomain + operationId: GET_CreateTransitGatewayMulticastDomain + description: '

Creates a multicast domain using the specified transit gateway.

The transit gateway must be in the available state before you create a domain. Use DescribeTransitGateways to see the state of transit gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayMulticastDomainResult' + parameters: + - name: TransitGatewayId + in: query + required: true + description: The ID of the transit gateway. + schema: + type: string + - name: Options + in: query + required: false + description: The options for the transit gateway multicast domain. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/AutoAcceptSharedAssociationsValue' + - description: Indicates whether to automatically accept cross-account subnet associations that are associated with the transit gateway multicast domain. + description: The options for the transit gateway multicast domain. + - name: TagSpecification + in: query + required: false + description: The tags for the transit gateway multicast domain. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayMulticastDomain + operationId: POST_CreateTransitGatewayMulticastDomain + description: '

Creates a multicast domain using the specified transit gateway.

The transit gateway must be in the available state before you create a domain. Use DescribeTransitGateways to see the state of transit gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayMulticastDomainResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayMulticastDomainRequest' + parameters: [] + /?Action=CreateTransitGatewayPeeringAttachment&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayPeeringAttachment + operationId: GET_CreateTransitGatewayPeeringAttachment + description: '

Requests a transit gateway peering attachment between the specified transit gateway (requester) and a peer transit gateway (accepter). The transit gateways must be in different Regions. The peer transit gateway can be in your account or a different Amazon Web Services account.

After you create the peering attachment, the owner of the accepter transit gateway must accept the attachment request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayPeeringAttachmentResult' + parameters: + - name: TransitGatewayId + in: query + required: true + description: The ID of the transit gateway. + schema: + type: string + - name: PeerTransitGatewayId + in: query + required: true + description: The ID of the peer transit gateway with which to create the peering attachment. + schema: + type: string + - name: PeerAccountId + in: query + required: true + description: The ID of the Amazon Web Services account that owns the peer transit gateway. + schema: + type: string + - name: PeerRegion + in: query + required: true + description: The Region where the peer transit gateway is located. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the transit gateway peering attachment. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayPeeringAttachment + operationId: POST_CreateTransitGatewayPeeringAttachment + description: '

Requests a transit gateway peering attachment between the specified transit gateway (requester) and a peer transit gateway (accepter). The transit gateways must be in different Regions. The peer transit gateway can be in your account or a different Amazon Web Services account.

After you create the peering attachment, the owner of the accepter transit gateway must accept the attachment request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayPeeringAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayPeeringAttachmentRequest' + parameters: [] + /?Action=CreateTransitGatewayPrefixListReference&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayPrefixListReference + operationId: GET_CreateTransitGatewayPrefixListReference + description: Creates a reference (route) to a prefix list in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayPrefixListReferenceResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list that is used for destination matches. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the attachment to which traffic is routed. + schema: + type: string + - name: Blackhole + in: query + required: false + description: Indicates whether to drop traffic that matches this route. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayPrefixListReference + operationId: POST_CreateTransitGatewayPrefixListReference + description: Creates a reference (route) to a prefix list in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayPrefixListReferenceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayPrefixListReferenceRequest' + parameters: [] + /?Action=CreateTransitGatewayRoute&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayRoute + operationId: GET_CreateTransitGatewayRoute + description: Creates a static route for the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRouteResult' + parameters: + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR range used for destination matches. Routing decisions are based on the most specific match. + schema: + type: string + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the attachment. + schema: + type: string + - name: Blackhole + in: query + required: false + description: Indicates whether to drop traffic that matches this route. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayRoute + operationId: POST_CreateTransitGatewayRoute + description: Creates a static route for the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRouteRequest' + parameters: [] + /?Action=CreateTransitGatewayRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayRouteTable + operationId: GET_CreateTransitGatewayRouteTable + description: Creates a route table for the specified transit gateway. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRouteTableResult' + parameters: + - name: TransitGatewayId + in: query + required: true + description: The ID of the transit gateway. + schema: + type: string + - name: TagSpecifications + in: query + required: false + description: The tags to apply to the transit gateway route table. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayRouteTable + operationId: POST_CreateTransitGatewayRouteTable + description: Creates a route table for the specified transit gateway. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRouteTableResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayRouteTableRequest' + parameters: [] + /?Action=CreateTransitGatewayVpcAttachment&Version=2016-11-15: + get: + x-aws-operation-name: CreateTransitGatewayVpcAttachment + operationId: GET_CreateTransitGatewayVpcAttachment + description: '

Attaches the specified VPC to the specified transit gateway.

If you attach a VPC with a CIDR range that overlaps the CIDR range of a VPC that is already attached, the new VPC CIDR range is not propagated to the default propagation route table.

To send VPC traffic to an attached transit gateway, add a route to the VPC route table using CreateRoute.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayVpcAttachmentResult' + parameters: + - name: TransitGatewayId + in: query + required: true + description: The ID of the transit gateway. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: SubnetIds + in: query + required: true + description: 'The IDs of one or more subnets. You can specify only one subnet per Availability Zone. You must specify at least one subnet, but we recommend that you specify two subnets for better availability. The transit gateway uses one IP address from each specified subnet.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: Options + in: query + required: false + description: The VPC attachment options. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ApplianceModeSupportValue' + - description: 'Enable or disable support for appliance mode. If enabled, a traffic flow between a source and destination uses the same Availability Zone for the VPC attachment for the lifetime of that flow. The default is disable.' + description: Describes the options for a VPC attachment. + - name: TagSpecifications + in: query + required: false + description: The tags to apply to the VPC attachment. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateTransitGatewayVpcAttachment + operationId: POST_CreateTransitGatewayVpcAttachment + description: '

Attaches the specified VPC to the specified transit gateway.

If you attach a VPC with a CIDR range that overlaps the CIDR range of a VPC that is already attached, the new VPC CIDR range is not propagated to the default propagation route table.

To send VPC traffic to an attached transit gateway, add a route to the VPC route table using CreateRoute.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayVpcAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateTransitGatewayVpcAttachmentRequest' + parameters: [] + /?Action=CreateVolume&Version=2016-11-15: + get: + x-aws-operation-name: CreateVolume + operationId: GET_CreateVolume + description: '

Creates an EBS volume that can be attached to an instance in the same Availability Zone.

You can create a new empty volume or restore a volume from an EBS snapshot. Any Amazon Web Services Marketplace product codes from the snapshot are propagated to the volume.

You can create encrypted volumes. Encrypted volumes must be attached to instances that support Amazon EBS encryption. Volumes that are created from encrypted snapshots are also automatically encrypted. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

You can tag your volumes during creation. For more information, see Tag your Amazon EC2 resources in the Amazon Elastic Compute Cloud User Guide.

For more information, see Create an Amazon EBS volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/Volume' + parameters: + - name: AvailabilityZone + in: query + required: true + description: The Availability Zone in which to create the volume. + schema: + type: string + - name: Encrypted + in: query + required: false + description: '

Indicates whether the volume should be encrypted. The effect of setting the encryption state to true depends on the volume origin (new or from a snapshot), starting encryption state, ownership, and whether encryption by default is enabled. For more information, see Encryption by default in the Amazon Elastic Compute Cloud User Guide.

Encrypted Amazon EBS volumes must be attached to instances that support Amazon EBS encryption. For more information, see Supported instance types.

' + schema: + type: boolean + - name: Iops + in: query + required: false + description: '

The number of I/O operations per second (IOPS). For gp3, io1, and io2 volumes, this represents the number of IOPS that are provisioned for the volume. For gp2 volumes, this represents the baseline performance of the volume and the rate at which the volume accumulates I/O credits for bursting.

The following are the supported values for each volume type:

io1 and io2 volumes support up to 64,000 IOPS only on Instances built on the Nitro System. Other instance families support performance up to 32,000 IOPS.

This parameter is required for io1 and io2 volumes. The default for gp3 volumes is 3,000 IOPS. This parameter is not supported for gp2, st1, sc1, or standard volumes.

' + schema: + type: integer + - name: KmsKeyId + in: query + required: false + description: '

The identifier of the Key Management Service (KMS) KMS key to use for Amazon EBS encryption. If this parameter is not specified, your KMS key for Amazon EBS is used. If KmsKeyId is specified, the encrypted state must be true.

You can specify the KMS key using any of the following:

Amazon Web Services authenticates the KMS key asynchronously. Therefore, if you specify an ID, alias, or ARN that is not valid, the action can appear to complete, but eventually fails.

' + schema: + type: string + - name: OutpostArn + in: query + required: false + description: The Amazon Resource Name (ARN) of the Outpost. + schema: + type: string + - name: Size + in: query + required: false + description: '

The size of the volume, in GiBs. You must specify either a snapshot ID or a volume size. If you specify a snapshot, the default is the snapshot size. You can specify a volume size that is equal to or larger than the snapshot size.

The following are the supported volumes sizes for each volume type:

' + schema: + type: integer + - name: SnapshotId + in: query + required: false + description: The snapshot from which to create the volume. You must specify either a snapshot ID or a volume size. + schema: + type: string + - name: VolumeType + in: query + required: false + description: '

The volume type. This parameter can be one of the following values:

For more information, see Amazon EBS volume types in the Amazon Elastic Compute Cloud User Guide.

Default: gp2

' + schema: + type: string + enum: + - standard + - io1 + - io2 + - gp2 + - sc1 + - st1 + - gp3 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to apply to the volume during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: MultiAttachEnabled + in: query + required: false + description: 'Indicates whether to enable Amazon EBS Multi-Attach. If you enable Multi-Attach, you can attach the volume to up to 16 Instances built on the Nitro System in the same Availability Zone. This parameter is supported with io1 and io2 volumes only. For more information, see Amazon EBS Multi-Attach in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: boolean + - name: Throughput + in: query + required: false + description: '

The throughput to provision for a volume, with a maximum of 1,000 MiB/s.

This parameter is valid only for gp3 volumes.

Valid Range: Minimum value of 125. Maximum value of 1000.

' + schema: + type: integer + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensure Idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVolume + operationId: POST_CreateVolume + description: '

Creates an EBS volume that can be attached to an instance in the same Availability Zone.

You can create a new empty volume or restore a volume from an EBS snapshot. Any Amazon Web Services Marketplace product codes from the snapshot are propagated to the volume.

You can create encrypted volumes. Encrypted volumes must be attached to instances that support Amazon EBS encryption. Volumes that are created from encrypted snapshots are also automatically encrypted. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

You can tag your volumes during creation. For more information, see Tag your Amazon EC2 resources in the Amazon Elastic Compute Cloud User Guide.

For more information, see Create an Amazon EBS volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/Volume' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVolumeRequest' + parameters: [] + /?Action=CreateVpc&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpc + operationId: GET_CreateVpc + description: '

Creates a VPC with the specified IPv4 CIDR block. The smallest VPC you can create uses a /28 netmask (16 IPv4 addresses), and the largest uses a /16 netmask (65,536 IPv4 addresses). For more information about how large to make your VPC, see Your VPC and subnets in the Amazon Virtual Private Cloud User Guide.

You can optionally request an IPv6 CIDR block for the VPC. You can request an Amazon-provided IPv6 CIDR block from Amazon''s pool of IPv6 addresses, or an IPv6 CIDR block from an IPv6 address pool that you provisioned through bring your own IP addresses (BYOIP).

By default, each instance you launch in the VPC has the default DHCP options, which include only a default DNS server that we provide (AmazonProvidedDNS). For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

You can specify the instance tenancy value for the VPC when you create it. You can''t change this value for the VPC after you create it. For more information, see Dedicated Instances in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcResult' + parameters: + - name: CidrBlock + in: query + required: false + description: 'The IPv4 network range for the VPC, in CIDR notation. For example, 10.0.0.0/16. We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.' + schema: + type: string + - name: AmazonProvidedIpv6CidrBlock + in: query + required: false + description: 'Requests an Amazon-provided IPv6 CIDR block with a /56 prefix length for the VPC. You cannot specify the range of IP addresses, or the size of the CIDR block.' + schema: + type: boolean + - name: Ipv6Pool + in: query + required: false + description: The ID of an IPv6 address pool from which to allocate the IPv6 CIDR block. + schema: + type: string + - name: Ipv6CidrBlock + in: query + required: false + description: '

The IPv6 CIDR block from the IPv6 address pool. You must also specify Ipv6Pool in the request.

To let Amazon choose the IPv6 CIDR block for you, omit this parameter.

' + schema: + type: string + - name: Ipv4IpamPoolId + in: query + required: false + description: 'The ID of an IPv4 IPAM pool you want to use for allocating this VPC''s CIDR. For more information, see What is IPAM? in the Amazon VPC IPAM User Guide. ' + schema: + type: string + - name: Ipv4NetmaskLength + in: query + required: false + description: 'The netmask length of the IPv4 CIDR you want to allocate to this VPC from an Amazon VPC IP Address Manager (IPAM) pool. For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide.' + schema: + type: integer + - name: Ipv6IpamPoolId + in: query + required: false + description: 'The ID of an IPv6 IPAM pool which will be used to allocate this VPC an IPv6 CIDR. IPAM is a VPC feature that you can use to automate your IP address management workflows including assigning, tracking, troubleshooting, and auditing IP addresses across Amazon Web Services Regions and accounts throughout your Amazon Web Services Organization. For more information, see What is IPAM? in the Amazon VPC IPAM User Guide.' + schema: + type: string + - name: Ipv6NetmaskLength + in: query + required: false + description: 'The netmask length of the IPv6 CIDR you want to allocate to this VPC from an Amazon VPC IP Address Manager (IPAM) pool. For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide.' + schema: + type: integer + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceTenancy + in: query + required: false + description: '

The tenancy options for instances launched into the VPC. For default, instances are launched with shared tenancy by default. You can launch instances with any tenancy into a shared tenancy VPC. For dedicated, instances are launched as dedicated tenancy instances by default. You can only launch instances with a tenancy of dedicated or host into a dedicated tenancy VPC.

Important: The host value cannot be used with this parameter. Use the default or dedicated values only.

Default: default

' + schema: + type: string + enum: + - default + - dedicated + - host + - name: Ipv6CidrBlockNetworkBorderGroup + in: query + required: false + description:

The name of the location from which we advertise the IPV6 CIDR block. Use this parameter to limit the address to this location.

You must set AmazonProvidedIpv6CidrBlock to true to use this parameter.

+ schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the VPC. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpc + operationId: POST_CreateVpc + description: '

Creates a VPC with the specified IPv4 CIDR block. The smallest VPC you can create uses a /28 netmask (16 IPv4 addresses), and the largest uses a /16 netmask (65,536 IPv4 addresses). For more information about how large to make your VPC, see Your VPC and subnets in the Amazon Virtual Private Cloud User Guide.

You can optionally request an IPv6 CIDR block for the VPC. You can request an Amazon-provided IPv6 CIDR block from Amazon''s pool of IPv6 addresses, or an IPv6 CIDR block from an IPv6 address pool that you provisioned through bring your own IP addresses (BYOIP).

By default, each instance you launch in the VPC has the default DHCP options, which include only a default DNS server that we provide (AmazonProvidedDNS). For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

You can specify the instance tenancy value for the VPC when you create it. You can''t change this value for the VPC after you create it. For more information, see Dedicated Instances in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcRequest' + parameters: [] + /?Action=CreateVpcEndpoint&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpcEndpoint + operationId: GET_CreateVpcEndpoint + description: 'Creates a VPC endpoint for a specified service. An endpoint enables you to create a private connection between your VPC and the service. The service may be provided by Amazon Web Services, an Amazon Web Services Marketplace Partner, or another Amazon Web Services account. For more information, see the Amazon Web Services PrivateLink Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcEndpointType + in: query + required: false + description: '

The type of endpoint.

Default: Gateway

' + schema: + type: string + enum: + - Interface + - Gateway + - GatewayLoadBalancer + - name: VpcId + in: query + required: true + description: The ID of the VPC in which the endpoint will be used. + schema: + type: string + - name: ServiceName + in: query + required: true + description: 'The service name. To get a list of available services, use the DescribeVpcEndpointServices request, or get the name from the service provider.' + schema: + type: string + - name: PolicyDocument + in: query + required: false + description: '(Interface and gateway endpoints) A policy to attach to the endpoint that controls access to the service. The policy must be in valid JSON format. If this parameter is not specified, we attach a default policy that allows full access to the service.' + schema: + type: string + - name: RouteTableId + in: query + required: false + description: (Gateway endpoint) One or more route table IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - xml: + name: item + - name: SubnetId + in: query + required: false + description: '(Interface and Gateway Load Balancer endpoints) The ID of one or more subnets in which to create an endpoint network interface. For a Gateway Load Balancer endpoint, you can specify one subnet only.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: SecurityGroupId + in: query + required: false + description: (Interface endpoint) The ID of one or more security groups to associate with the endpoint network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + - name: IpAddressType + in: query + required: false + description: The IP address type for the endpoint. + schema: + type: string + enum: + - ipv4 + - dualstack + - ipv6 + - name: DnsOptions + in: query + required: false + description: The DNS options for the endpoint. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DnsRecordIpType' + - description: The DNS records created for the endpoint. + description: Describes the DNS options for an endpoint. + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: PrivateDnsEnabled + in: query + required: false + description: '

(Interface endpoint) Indicates whether to associate a private hosted zone with the specified VPC. The private hosted zone contains a record set for the default public DNS name for the service for the Region (for example, kinesis.us-east-1.amazonaws.com), which resolves to the private IP addresses of the endpoint network interfaces in the VPC. This enables you to make requests to the default public DNS name for the service instead of the public DNS names that are automatically generated by the VPC endpoint service.

To use a private hosted zone, you must set the following VPC attributes to true: enableDnsHostnames and enableDnsSupport. Use ModifyVpcAttribute to set the VPC attributes.

Default: true

' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to associate with the endpoint. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpcEndpoint + operationId: POST_CreateVpcEndpoint + description: 'Creates a VPC endpoint for a specified service. An endpoint enables you to create a private connection between your VPC and the service. The service may be provided by Amazon Web Services, an Amazon Web Services Marketplace Partner, or another Amazon Web Services account. For more information, see the Amazon Web Services PrivateLink Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointRequest' + parameters: [] + /?Action=CreateVpcEndpointConnectionNotification&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpcEndpointConnectionNotification + operationId: GET_CreateVpcEndpointConnectionNotification + description: '

Creates a connection notification for a specified VPC endpoint or VPC endpoint service. A connection notification notifies you of specific endpoint events. You must create an SNS topic to receive notifications. For more information, see Create a Topic in the Amazon Simple Notification Service Developer Guide.

You can create a connection notification for interface endpoints only.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointConnectionNotificationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: false + description: The ID of the endpoint service. + schema: + type: string + - name: VpcEndpointId + in: query + required: false + description: The ID of the endpoint. + schema: + type: string + - name: ConnectionNotificationArn + in: query + required: true + description: The ARN of the SNS topic for the notifications. + schema: + type: string + - name: ConnectionEvents + in: query + required: true + description: 'One or more endpoint events for which to receive notifications. Valid values are Accept, Connect, Delete, and Reject.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpcEndpointConnectionNotification + operationId: POST_CreateVpcEndpointConnectionNotification + description: '

Creates a connection notification for a specified VPC endpoint or VPC endpoint service. A connection notification notifies you of specific endpoint events. You must create an SNS topic to receive notifications. For more information, see Create a Topic in the Amazon Simple Notification Service Developer Guide.

You can create a connection notification for interface endpoints only.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointConnectionNotificationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointConnectionNotificationRequest' + parameters: [] + /?Action=CreateVpcEndpointServiceConfiguration&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpcEndpointServiceConfiguration + operationId: GET_CreateVpcEndpointServiceConfiguration + description: '

Creates a VPC endpoint service to which service consumers (Amazon Web Services accounts, IAM users, and IAM roles) can connect.

Before you create an endpoint service, you must create one of the following for your service:

If you set the private DNS name, you must prove that you own the private DNS domain name.

For more information, see the Amazon Web Services PrivateLink Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointServiceConfigurationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: AcceptanceRequired + in: query + required: false + description: Indicates whether requests from service consumers to create an endpoint to your service must be accepted manually. + schema: + type: boolean + - name: PrivateDnsName + in: query + required: false + description: (Interface endpoint configuration) The private DNS name to assign to the VPC endpoint service. + schema: + type: string + - name: NetworkLoadBalancerArn + in: query + required: false + description: The Amazon Resource Names (ARNs) of one or more Network Load Balancers for your service. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: GatewayLoadBalancerArn + in: query + required: false + description: The Amazon Resource Names (ARNs) of one or more Gateway Load Balancers. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: SupportedIpAddressType + in: query + required: false + description: The supported IP address types. The possible values are ipv4 and ipv6. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to associate with the service. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpcEndpointServiceConfiguration + operationId: POST_CreateVpcEndpointServiceConfiguration + description: '

Creates a VPC endpoint service to which service consumers (Amazon Web Services accounts, IAM users, and IAM roles) can connect.

Before you create an endpoint service, you must create one of the following for your service:

If you set the private DNS name, you must prove that you own the private DNS domain name.

For more information, see the Amazon Web Services PrivateLink Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointServiceConfigurationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcEndpointServiceConfigurationRequest' + parameters: [] + /?Action=CreateVpcPeeringConnection&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpcPeeringConnection + operationId: GET_CreateVpcPeeringConnection + description: '

Requests a VPC peering connection between two VPCs: a requester VPC that you own and an accepter VPC with which to create the connection. The accepter VPC can belong to another Amazon Web Services account and can be in a different Region to the requester VPC. The requester VPC and accepter VPC cannot have overlapping CIDR blocks.

Limitations and rules apply to a VPC peering connection. For more information, see the limitations section in the VPC Peering Guide.

The owner of the accepter VPC must accept the peering request to activate the peering connection. The VPC peering connection request expires after 7 days, after which it cannot be accepted or rejected.

If you create a VPC peering connection request between VPCs with overlapping CIDR blocks, the VPC peering connection has a status of failed.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcPeeringConnectionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PeerOwnerId + in: query + required: false + description: '

The Amazon Web Services account ID of the owner of the accepter VPC.

Default: Your Amazon Web Services account ID

' + schema: + type: string + - name: PeerVpcId + in: query + required: false + description: The ID of the VPC with which you are creating the VPC peering connection. You must specify this parameter in the request. + schema: + type: string + - name: VpcId + in: query + required: false + description: The ID of the requester VPC. You must specify this parameter in the request. + schema: + type: string + - name: PeerRegion + in: query + required: false + description: '

The Region code for the accepter VPC, if the accepter VPC is located in a Region other than the Region in which you make the request.

Default: The Region in which you make the request.

' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to assign to the peering connection. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpcPeeringConnection + operationId: POST_CreateVpcPeeringConnection + description: '

Requests a VPC peering connection between two VPCs: a requester VPC that you own and an accepter VPC with which to create the connection. The accepter VPC can belong to another Amazon Web Services account and can be in a different Region to the requester VPC. The requester VPC and accepter VPC cannot have overlapping CIDR blocks.

Limitations and rules apply to a VPC peering connection. For more information, see the limitations section in the VPC Peering Guide.

The owner of the accepter VPC must accept the peering request to activate the peering connection. The VPC peering connection request expires after 7 days, after which it cannot be accepted or rejected.

If you create a VPC peering connection request between VPCs with overlapping CIDR blocks, the VPC peering connection has a status of failed.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcPeeringConnectionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpcPeeringConnectionRequest' + parameters: [] + /?Action=CreateVpnConnection&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpnConnection + operationId: GET_CreateVpnConnection + description: '

Creates a VPN connection between an existing virtual private gateway or transit gateway and a customer gateway. The supported connection type is ipsec.1.

The response includes information that you need to give to your network administrator to configure your customer gateway.

We strongly recommend that you use HTTPS when calling this operation because the response contains sensitive cryptographic information for configuring your customer gateway device.

If you decide to shut down your VPN connection for any reason and later create a new VPN connection, you must reconfigure your customer gateway with the new information returned from this call.

This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn''t return an error.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnConnectionResult' + parameters: + - name: CustomerGatewayId + in: query + required: true + description: The ID of the customer gateway. + schema: + type: string + - name: Type + in: query + required: true + description: The type of VPN connection (ipsec.1). + schema: + type: string + - name: VpnGatewayId + in: query + required: false + description: 'The ID of the virtual private gateway. If you specify a virtual private gateway, you cannot specify a transit gateway.' + schema: + type: string + - name: TransitGatewayId + in: query + required: false + description: 'The ID of the transit gateway. If you specify a transit gateway, you cannot specify a virtual private gateway.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Options + in: query + required: false + description: The options for the VPN connection. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicate whether to enable acceleration for the VPN connection.

Default: false

' + staticRoutesOnly: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The IPv6 CIDR on the Amazon Web Services side of the VPN connection.

Default: ::/0

' + description: Describes VPN connection options. + - name: TagSpecification + in: query + required: false + description: The tags to apply to the VPN connection. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpnConnection + operationId: POST_CreateVpnConnection + description: '

Creates a VPN connection between an existing virtual private gateway or transit gateway and a customer gateway. The supported connection type is ipsec.1.

The response includes information that you need to give to your network administrator to configure your customer gateway.

We strongly recommend that you use HTTPS when calling this operation because the response contains sensitive cryptographic information for configuring your customer gateway device.

If you decide to shut down your VPN connection for any reason and later create a new VPN connection, you must reconfigure your customer gateway with the new information returned from this call.

This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn''t return an error.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnConnectionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnConnectionRequest' + parameters: [] + /?Action=CreateVpnConnectionRoute&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpnConnectionRoute + operationId: GET_CreateVpnConnectionRoute + description: '

Creates a static route associated with a VPN connection between an existing virtual private gateway and a VPN customer gateway. The static route allows traffic to be routed from the virtual private gateway to the VPN customer gateway.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + parameters: + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR block associated with the local subnet of the customer network. + schema: + type: string + - name: VpnConnectionId + in: query + required: true + description: The ID of the VPN connection. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpnConnectionRoute + operationId: POST_CreateVpnConnectionRoute + description: '

Creates a static route associated with a VPN connection between an existing virtual private gateway and a VPN customer gateway. The static route allows traffic to be routed from the virtual private gateway to the VPN customer gateway.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnConnectionRouteRequest' + parameters: [] + /?Action=CreateVpnGateway&Version=2016-11-15: + get: + x-aws-operation-name: CreateVpnGateway + operationId: GET_CreateVpnGateway + description: '

Creates a virtual private gateway. A virtual private gateway is the endpoint on the VPC side of your VPN connection. You can create a virtual private gateway before creating the VPC itself.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnGatewayResult' + parameters: + - name: AvailabilityZone + in: query + required: false + description: The Availability Zone for the virtual private gateway. + schema: + type: string + - name: Type + in: query + required: true + description: The type of VPN connection this virtual private gateway supports. + schema: + type: string + enum: + - ipsec.1 + - name: TagSpecification + in: query + required: false + description: The tags to apply to the virtual private gateway. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: AmazonSideAsn + in: query + required: false + description: '

A private Autonomous System Number (ASN) for the Amazon side of a BGP session. If you''re using a 16-bit ASN, it must be in the 64512 to 65534 range. If you''re using a 32-bit ASN, it must be in the 4200000000 to 4294967294 range.

Default: 64512

' + schema: + type: integer + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: CreateVpnGateway + operationId: POST_CreateVpnGateway + description: '

Creates a virtual private gateway. A virtual private gateway is the endpoint on the VPC side of your VPN connection. You can create a virtual private gateway before creating the VPC itself.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateVpnGatewayRequest' + parameters: [] + /?Action=DeleteCarrierGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteCarrierGateway + operationId: GET_DeleteCarrierGateway + description: '

Deletes a carrier gateway.

If you do not delete the route that contains the carrier gateway as the Target, the route is a blackhole route. For information about how to delete a route, see DeleteRoute.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteCarrierGatewayResult' + parameters: + - name: CarrierGatewayId + in: query + required: true + description: The ID of the carrier gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteCarrierGateway + operationId: POST_DeleteCarrierGateway + description: '

Deletes a carrier gateway.

If you do not delete the route that contains the carrier gateway as the Target, the route is a blackhole route. For information about how to delete a route, see DeleteRoute.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteCarrierGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteCarrierGatewayRequest' + parameters: [] + /?Action=DeleteClientVpnEndpoint&Version=2016-11-15: + get: + x-aws-operation-name: DeleteClientVpnEndpoint + operationId: GET_DeleteClientVpnEndpoint + description: Deletes the specified Client VPN endpoint. You must disassociate all target networks before you can delete a Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteClientVpnEndpointResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN to be deleted. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteClientVpnEndpoint + operationId: POST_DeleteClientVpnEndpoint + description: Deletes the specified Client VPN endpoint. You must disassociate all target networks before you can delete a Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteClientVpnEndpointResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteClientVpnEndpointRequest' + parameters: [] + /?Action=DeleteClientVpnRoute&Version=2016-11-15: + get: + x-aws-operation-name: DeleteClientVpnRoute + operationId: GET_DeleteClientVpnRoute + description: 'Deletes a route from a Client VPN endpoint. You can only delete routes that you manually added using the CreateClientVpnRoute action. You cannot delete routes that were automatically added when associating a subnet. To remove routes that have been automatically added, disassociate the target subnet from the Client VPN endpoint.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteClientVpnRouteResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint from which the route is to be deleted. + schema: + type: string + - name: TargetVpcSubnetId + in: query + required: false + description: The ID of the target subnet used by the route. + schema: + type: string + - name: DestinationCidrBlock + in: query + required: true + description: 'The IPv4 address range, in CIDR notation, of the route to be deleted.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteClientVpnRoute + operationId: POST_DeleteClientVpnRoute + description: 'Deletes a route from a Client VPN endpoint. You can only delete routes that you manually added using the CreateClientVpnRoute action. You cannot delete routes that were automatically added when associating a subnet. To remove routes that have been automatically added, disassociate the target subnet from the Client VPN endpoint.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteClientVpnRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteClientVpnRouteRequest' + parameters: [] + /?Action=DeleteCustomerGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteCustomerGateway + operationId: GET_DeleteCustomerGateway + description: Deletes the specified customer gateway. You must delete the VPN connection before you can delete the customer gateway. + responses: + '200': + description: Success + parameters: + - name: CustomerGatewayId + in: query + required: true + description: The ID of the customer gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteCustomerGateway + operationId: POST_DeleteCustomerGateway + description: Deletes the specified customer gateway. You must delete the VPN connection before you can delete the customer gateway. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteCustomerGatewayRequest' + parameters: [] + /?Action=DeleteDhcpOptions&Version=2016-11-15: + get: + x-aws-operation-name: DeleteDhcpOptions + operationId: GET_DeleteDhcpOptions + description: Deletes the specified set of DHCP options. You must disassociate the set of DHCP options before you can delete it. You can disassociate the set of DHCP options by associating either a new set of options or the default set of options with the VPC. + responses: + '200': + description: Success + parameters: + - name: DhcpOptionsId + in: query + required: true + description: The ID of the DHCP options set. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteDhcpOptions + operationId: POST_DeleteDhcpOptions + description: Deletes the specified set of DHCP options. You must disassociate the set of DHCP options before you can delete it. You can disassociate the set of DHCP options by associating either a new set of options or the default set of options with the VPC. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteDhcpOptionsRequest' + parameters: [] + /?Action=DeleteEgressOnlyInternetGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteEgressOnlyInternetGateway + operationId: GET_DeleteEgressOnlyInternetGateway + description: Deletes an egress-only internet gateway. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteEgressOnlyInternetGatewayResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EgressOnlyInternetGatewayId + in: query + required: true + description: The ID of the egress-only internet gateway. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteEgressOnlyInternetGateway + operationId: POST_DeleteEgressOnlyInternetGateway + description: Deletes an egress-only internet gateway. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteEgressOnlyInternetGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteEgressOnlyInternetGatewayRequest' + parameters: [] + /?Action=DeleteFleets&Version=2016-11-15: + get: + x-aws-operation-name: DeleteFleets + operationId: GET_DeleteFleets + description: '

Deletes the specified EC2 Fleet.

After you delete an EC2 Fleet, it launches no new instances.

You must specify whether a deleted EC2 Fleet should also terminate its instances. If you choose to terminate the instances, the EC2 Fleet enters the deleted_terminating state. Otherwise, the EC2 Fleet enters the deleted_running state, and the instances continue to run until they are interrupted or you terminate them manually.

For instant fleets, EC2 Fleet must terminate the instances when the fleet is deleted. A deleted instant fleet with running instances is not supported.

Restrictions

For more information, see Delete an EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFleetsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FleetId + in: query + required: true + description: The IDs of the EC2 Fleets. + schema: + type: array + items: + $ref: '#/components/schemas/FleetId' + - name: TerminateInstances + in: query + required: true + description: '

Indicates whether to terminate the instances when the EC2 Fleet is deleted. The default is to terminate the instances.

To let the instances continue to run after the EC2 Fleet is deleted, specify NoTerminateInstances. Supported only for fleets of type maintain and request.

For instant fleets, you cannot specify NoTerminateInstances. A deleted instant fleet with running instances is not supported.

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteFleets + operationId: POST_DeleteFleets + description: '

Deletes the specified EC2 Fleet.

After you delete an EC2 Fleet, it launches no new instances.

You must specify whether a deleted EC2 Fleet should also terminate its instances. If you choose to terminate the instances, the EC2 Fleet enters the deleted_terminating state. Otherwise, the EC2 Fleet enters the deleted_running state, and the instances continue to run until they are interrupted or you terminate them manually.

For instant fleets, EC2 Fleet must terminate the instances when the fleet is deleted. A deleted instant fleet with running instances is not supported.

Restrictions

For more information, see Delete an EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFleetsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFleetsRequest' + parameters: [] + /?Action=DeleteFlowLogs&Version=2016-11-15: + get: + x-aws-operation-name: DeleteFlowLogs + operationId: GET_DeleteFlowLogs + description: Deletes one or more flow logs. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFlowLogsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FlowLogId + in: query + required: true + description: '

One or more flow log IDs.

Constraint: Maximum of 1000 flow log IDs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcFlowLogId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteFlowLogs + operationId: POST_DeleteFlowLogs + description: Deletes one or more flow logs. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFlowLogsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFlowLogsRequest' + parameters: [] + /?Action=DeleteFpgaImage&Version=2016-11-15: + get: + x-aws-operation-name: DeleteFpgaImage + operationId: GET_DeleteFpgaImage + description: Deletes the specified Amazon FPGA Image (AFI). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFpgaImageResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FpgaImageId + in: query + required: true + description: The ID of the AFI. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteFpgaImage + operationId: POST_DeleteFpgaImage + description: Deletes the specified Amazon FPGA Image (AFI). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFpgaImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteFpgaImageRequest' + parameters: [] + /?Action=DeleteInstanceEventWindow&Version=2016-11-15: + get: + x-aws-operation-name: DeleteInstanceEventWindow + operationId: GET_DeleteInstanceEventWindow + description: '

Deletes the specified event window.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteInstanceEventWindowResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ForceDelete + in: query + required: false + description: Specify true to force delete the event window. Use the force delete parameter if the event window is currently associated with targets. + schema: + type: boolean + - name: InstanceEventWindowId + in: query + required: true + description: The ID of the event window. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteInstanceEventWindow + operationId: POST_DeleteInstanceEventWindow + description: '

Deletes the specified event window.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteInstanceEventWindowResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteInstanceEventWindowRequest' + parameters: [] + /?Action=DeleteInternetGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteInternetGateway + operationId: GET_DeleteInternetGateway + description: Deletes the specified internet gateway. You must detach the internet gateway from the VPC before you can delete it. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InternetGatewayId + in: query + required: true + description: The ID of the internet gateway. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteInternetGateway + operationId: POST_DeleteInternetGateway + description: Deletes the specified internet gateway. You must detach the internet gateway from the VPC before you can delete it. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteInternetGatewayRequest' + parameters: [] + /?Action=DeleteIpam&Version=2016-11-15: + get: + x-aws-operation-name: DeleteIpam + operationId: GET_DeleteIpam + description: '

Delete an IPAM. Deleting an IPAM removes all monitored data associated with the IPAM including the historical data for CIDRs.

For more information, see Delete an IPAM in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamId + in: query + required: true + description: The ID of the IPAM to delete. + schema: + type: string + - name: Cascade + in: query + required: false + description: '

Enables you to quickly delete an IPAM, private scopes, pools in private scopes, and any allocations in the pools in private scopes. You cannot delete the IPAM with this option if there is a pool in your public scope. If you use this option, IPAM does the following:

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteIpam + operationId: POST_DeleteIpam + description: '

Delete an IPAM. Deleting an IPAM removes all monitored data associated with the IPAM including the historical data for CIDRs.

For more information, see Delete an IPAM in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamRequest' + parameters: [] + /?Action=DeleteIpamPool&Version=2016-11-15: + get: + x-aws-operation-name: DeleteIpamPool + operationId: GET_DeleteIpamPool + description: '

Delete an IPAM pool.

You cannot delete an IPAM pool if there are allocations in it or CIDRs provisioned to it. To release allocations, see ReleaseIpamPoolAllocation. To deprovision pool CIDRs, see DeprovisionIpamPoolCidr.

For more information, see Delete a pool in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamPoolResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the pool to delete. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteIpamPool + operationId: POST_DeleteIpamPool + description: '

Delete an IPAM pool.

You cannot delete an IPAM pool if there are allocations in it or CIDRs provisioned to it. To release allocations, see ReleaseIpamPoolAllocation. To deprovision pool CIDRs, see DeprovisionIpamPoolCidr.

For more information, see Delete a pool in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamPoolResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamPoolRequest' + parameters: [] + /?Action=DeleteIpamScope&Version=2016-11-15: + get: + x-aws-operation-name: DeleteIpamScope + operationId: GET_DeleteIpamScope + description: '

Delete the scope for an IPAM. You cannot delete the default scopes.

For more information, see Delete a scope in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamScopeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamScopeId + in: query + required: true + description: The ID of the scope to delete. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteIpamScope + operationId: POST_DeleteIpamScope + description: '

Delete the scope for an IPAM. You cannot delete the default scopes.

For more information, see Delete a scope in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamScopeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteIpamScopeRequest' + parameters: [] + /?Action=DeleteKeyPair&Version=2016-11-15: + get: + x-aws-operation-name: DeleteKeyPair + operationId: GET_DeleteKeyPair + description: 'Deletes the specified key pair, by removing the public key from Amazon EC2.' + responses: + '200': + description: Success + parameters: + - name: KeyName + in: query + required: false + description: The name of the key pair. + schema: + type: string + - name: KeyPairId + in: query + required: false + description: The ID of the key pair. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteKeyPair + operationId: POST_DeleteKeyPair + description: 'Deletes the specified key pair, by removing the public key from Amazon EC2.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteKeyPairRequest' + parameters: [] + /?Action=DeleteLaunchTemplate&Version=2016-11-15: + get: + x-aws-operation-name: DeleteLaunchTemplate + operationId: GET_DeleteLaunchTemplate + description: Deletes a launch template. Deleting a launch template deletes all of its versions. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLaunchTemplateResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LaunchTemplateId + in: query + required: false + description: The ID of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + - name: LaunchTemplateName + in: query + required: false + description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteLaunchTemplate + operationId: POST_DeleteLaunchTemplate + description: Deletes a launch template. Deleting a launch template deletes all of its versions. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLaunchTemplateResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLaunchTemplateRequest' + parameters: [] + /?Action=DeleteLaunchTemplateVersions&Version=2016-11-15: + get: + x-aws-operation-name: DeleteLaunchTemplateVersions + operationId: GET_DeleteLaunchTemplateVersions + description: 'Deletes one or more versions of a launch template. You cannot delete the default version of a launch template; you must first assign a different version as the default. If the default version is the only version for the launch template, you must delete the entire launch template using DeleteLaunchTemplate.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLaunchTemplateVersionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LaunchTemplateId + in: query + required: false + description: The ID of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + - name: LaunchTemplateName + in: query + required: false + description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + - name: LaunchTemplateVersion + in: query + required: true + description: The version numbers of one or more launch template versions to delete. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteLaunchTemplateVersions + operationId: POST_DeleteLaunchTemplateVersions + description: 'Deletes one or more versions of a launch template. You cannot delete the default version of a launch template; you must first assign a different version as the default. If the default version is the only version for the launch template, you must delete the entire launch template using DeleteLaunchTemplate.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLaunchTemplateVersionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLaunchTemplateVersionsRequest' + parameters: [] + /?Action=DeleteLocalGatewayRoute&Version=2016-11-15: + get: + x-aws-operation-name: DeleteLocalGatewayRoute + operationId: GET_DeleteLocalGatewayRoute + description: Deletes the specified route from the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLocalGatewayRouteResult' + parameters: + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR range for the route. This must match the CIDR for the route exactly. + schema: + type: string + - name: LocalGatewayRouteTableId + in: query + required: true + description: The ID of the local gateway route table. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteLocalGatewayRoute + operationId: POST_DeleteLocalGatewayRoute + description: Deletes the specified route from the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLocalGatewayRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLocalGatewayRouteRequest' + parameters: [] + /?Action=DeleteLocalGatewayRouteTableVpcAssociation&Version=2016-11-15: + get: + x-aws-operation-name: DeleteLocalGatewayRouteTableVpcAssociation + operationId: GET_DeleteLocalGatewayRouteTableVpcAssociation + description: Deletes the specified association between a VPC and local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLocalGatewayRouteTableVpcAssociationResult' + parameters: + - name: LocalGatewayRouteTableVpcAssociationId + in: query + required: true + description: The ID of the association. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteLocalGatewayRouteTableVpcAssociation + operationId: POST_DeleteLocalGatewayRouteTableVpcAssociation + description: Deletes the specified association between a VPC and local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLocalGatewayRouteTableVpcAssociationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteLocalGatewayRouteTableVpcAssociationRequest' + parameters: [] + /?Action=DeleteManagedPrefixList&Version=2016-11-15: + get: + x-aws-operation-name: DeleteManagedPrefixList + operationId: GET_DeleteManagedPrefixList + description: Deletes the specified managed prefix list. You must first remove all references to the prefix list in your resources. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteManagedPrefixListResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteManagedPrefixList + operationId: POST_DeleteManagedPrefixList + description: Deletes the specified managed prefix list. You must first remove all references to the prefix list in your resources. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteManagedPrefixListResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteManagedPrefixListRequest' + parameters: [] + /?Action=DeleteNatGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNatGateway + operationId: GET_DeleteNatGateway + description: 'Deletes the specified NAT gateway. Deleting a public NAT gateway disassociates its Elastic IP address, but does not release the address from your account. Deleting a NAT gateway does not delete any NAT gateway routes in your route tables.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNatGatewayResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NatGatewayId + in: query + required: true + description: The ID of the NAT gateway. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNatGateway + operationId: POST_DeleteNatGateway + description: 'Deletes the specified NAT gateway. Deleting a public NAT gateway disassociates its Elastic IP address, but does not release the address from your account. Deleting a NAT gateway does not delete any NAT gateway routes in your route tables.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNatGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNatGatewayRequest' + parameters: [] + /?Action=DeleteNetworkAcl&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkAcl + operationId: GET_DeleteNetworkAcl + description: Deletes the specified network ACL. You can't delete the ACL if it's associated with any subnets. You can't delete the default network ACL. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkAclId + in: query + required: true + description: The ID of the network ACL. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkAcl + operationId: POST_DeleteNetworkAcl + description: Deletes the specified network ACL. You can't delete the ACL if it's associated with any subnets. You can't delete the default network ACL. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkAclRequest' + parameters: [] + /?Action=DeleteNetworkAclEntry&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkAclEntry + operationId: GET_DeleteNetworkAclEntry + description: Deletes the specified ingress or egress entry (rule) from the specified network ACL. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Egress + in: query + required: true + description: Indicates whether the rule is an egress rule. + schema: + type: boolean + - name: NetworkAclId + in: query + required: true + description: The ID of the network ACL. + schema: + type: string + - name: RuleNumber + in: query + required: true + description: The rule number of the entry to delete. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkAclEntry + operationId: POST_DeleteNetworkAclEntry + description: Deletes the specified ingress or egress entry (rule) from the specified network ACL. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkAclEntryRequest' + parameters: [] + /?Action=DeleteNetworkInsightsAccessScope&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkInsightsAccessScope + operationId: GET_DeleteNetworkInsightsAccessScope + description: Deletes the specified Network Access Scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAccessScopeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInsightsAccessScopeId + in: query + required: true + description: The ID of the Network Access Scope. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkInsightsAccessScope + operationId: POST_DeleteNetworkInsightsAccessScope + description: Deletes the specified Network Access Scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAccessScopeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAccessScopeRequest' + parameters: [] + /?Action=DeleteNetworkInsightsAccessScopeAnalysis&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkInsightsAccessScopeAnalysis + operationId: GET_DeleteNetworkInsightsAccessScopeAnalysis + description: Deletes the specified Network Access Scope analysis. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAccessScopeAnalysisResult' + parameters: + - name: NetworkInsightsAccessScopeAnalysisId + in: query + required: true + description: The ID of the Network Access Scope analysis. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkInsightsAccessScopeAnalysis + operationId: POST_DeleteNetworkInsightsAccessScopeAnalysis + description: Deletes the specified Network Access Scope analysis. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAccessScopeAnalysisResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAccessScopeAnalysisRequest' + parameters: [] + /?Action=DeleteNetworkInsightsAnalysis&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkInsightsAnalysis + operationId: GET_DeleteNetworkInsightsAnalysis + description: Deletes the specified network insights analysis. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAnalysisResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInsightsAnalysisId + in: query + required: true + description: The ID of the network insights analysis. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkInsightsAnalysis + operationId: POST_DeleteNetworkInsightsAnalysis + description: Deletes the specified network insights analysis. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAnalysisResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsAnalysisRequest' + parameters: [] + /?Action=DeleteNetworkInsightsPath&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkInsightsPath + operationId: GET_DeleteNetworkInsightsPath + description: Deletes the specified path. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsPathResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInsightsPathId + in: query + required: true + description: The ID of the path. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkInsightsPath + operationId: POST_DeleteNetworkInsightsPath + description: Deletes the specified path. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsPathResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInsightsPathRequest' + parameters: [] + /?Action=DeleteNetworkInterface&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkInterface + operationId: GET_DeleteNetworkInterface + description: Deletes the specified network interface. You must detach the network interface before you can delete it. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkInterface + operationId: POST_DeleteNetworkInterface + description: Deletes the specified network interface. You must detach the network interface before you can delete it. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInterfaceRequest' + parameters: [] + /?Action=DeleteNetworkInterfacePermission&Version=2016-11-15: + get: + x-aws-operation-name: DeleteNetworkInterfacePermission + operationId: GET_DeleteNetworkInterfacePermission + description: 'Deletes a permission for a network interface. By default, you cannot delete the permission if the account for which you''re removing the permission has attached the network interface to an instance. However, you can force delete the permission, regardless of any attachment.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInterfacePermissionResult' + parameters: + - name: NetworkInterfacePermissionId + in: query + required: true + description: The ID of the network interface permission. + schema: + type: string + - name: Force + in: query + required: false + description: Specify true to remove the permission even if the network interface is attached to an instance. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteNetworkInterfacePermission + operationId: POST_DeleteNetworkInterfacePermission + description: 'Deletes a permission for a network interface. By default, you cannot delete the permission if the account for which you''re removing the permission has attached the network interface to an instance. However, you can force delete the permission, regardless of any attachment.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInterfacePermissionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteNetworkInterfacePermissionRequest' + parameters: [] + /?Action=DeletePlacementGroup&Version=2016-11-15: + get: + x-aws-operation-name: DeletePlacementGroup + operationId: GET_DeletePlacementGroup + description: 'Deletes the specified placement group. You must terminate all instances in the placement group before you can delete the placement group. For more information, see Placement groups in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupName + in: query + required: true + description: The name of the placement group. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeletePlacementGroup + operationId: POST_DeletePlacementGroup + description: 'Deletes the specified placement group. You must terminate all instances in the placement group before you can delete the placement group. For more information, see Placement groups in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeletePlacementGroupRequest' + parameters: [] + /?Action=DeletePublicIpv4Pool&Version=2016-11-15: + get: + x-aws-operation-name: DeletePublicIpv4Pool + operationId: GET_DeletePublicIpv4Pool + description: 'Delete a public IPv4 pool. A public IPv4 pool is an EC2 IP address pool required for the public IPv4 CIDRs that you own and bring to Amazon Web Services to manage with IPAM. IPv6 addresses you bring to Amazon Web Services, however, use IPAM pools only.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeletePublicIpv4PoolResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PoolId + in: query + required: true + description: The ID of the public IPv4 pool you want to delete. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeletePublicIpv4Pool + operationId: POST_DeletePublicIpv4Pool + description: 'Delete a public IPv4 pool. A public IPv4 pool is an EC2 IP address pool required for the public IPv4 CIDRs that you own and bring to Amazon Web Services to manage with IPAM. IPv6 addresses you bring to Amazon Web Services, however, use IPAM pools only.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeletePublicIpv4PoolResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeletePublicIpv4PoolRequest' + parameters: [] + /?Action=DeleteQueuedReservedInstances&Version=2016-11-15: + get: + x-aws-operation-name: DeleteQueuedReservedInstances + operationId: GET_DeleteQueuedReservedInstances + description: Deletes the queued purchases for the specified Reserved Instances. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteQueuedReservedInstancesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ReservedInstancesId + in: query + required: true + description: The IDs of the Reserved Instances. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: item + minItems: 1 + maxItems: 100 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteQueuedReservedInstances + operationId: POST_DeleteQueuedReservedInstances + description: Deletes the queued purchases for the specified Reserved Instances. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteQueuedReservedInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteQueuedReservedInstancesRequest' + parameters: [] + /?Action=DeleteRoute&Version=2016-11-15: + get: + x-aws-operation-name: DeleteRoute + operationId: GET_DeleteRoute + description: Deletes the specified route from the specified route table. + responses: + '200': + description: Success + parameters: + - name: DestinationCidrBlock + in: query + required: false + description: The IPv4 CIDR range for the route. The value you specify must match the CIDR for the route exactly. + schema: + type: string + - name: DestinationIpv6CidrBlock + in: query + required: false + description: The IPv6 CIDR range for the route. The value you specify must match the CIDR for the route exactly. + schema: + type: string + - name: DestinationPrefixListId + in: query + required: false + description: The ID of the prefix list for the route. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteRoute + operationId: POST_DeleteRoute + description: Deletes the specified route from the specified route table. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteRouteRequest' + parameters: [] + /?Action=DeleteRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: DeleteRouteTable + operationId: GET_DeleteRouteTable + description: Deletes the specified route table. You must disassociate the route table from any subnets before you can delete it. You can't delete the main route table. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteRouteTable + operationId: POST_DeleteRouteTable + description: Deletes the specified route table. You must disassociate the route table from any subnets before you can delete it. You can't delete the main route table. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteRouteTableRequest' + parameters: [] + /?Action=DeleteSecurityGroup&Version=2016-11-15: + get: + x-aws-operation-name: DeleteSecurityGroup + operationId: GET_DeleteSecurityGroup + description: '

Deletes a security group.

If you attempt to delete a security group that is associated with an instance, or is referenced by another security group, the operation fails with InvalidGroup.InUse in EC2-Classic or DependencyViolation in EC2-VPC.

' + responses: + '200': + description: Success + parameters: + - name: GroupId + in: query + required: false + description: The ID of the security group. Required for a nondefault VPC. + schema: + type: string + - name: GroupName + in: query + required: false + description: '[EC2-Classic, default VPC] The name of the security group. You can specify either the security group name or the security group ID.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteSecurityGroup + operationId: POST_DeleteSecurityGroup + description: '

Deletes a security group.

If you attempt to delete a security group that is associated with an instance, or is referenced by another security group, the operation fails with InvalidGroup.InUse in EC2-Classic or DependencyViolation in EC2-VPC.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSecurityGroupRequest' + parameters: [] + /?Action=DeleteSnapshot&Version=2016-11-15: + get: + x-aws-operation-name: DeleteSnapshot + operationId: GET_DeleteSnapshot + description: '

Deletes the specified snapshot.

When you make periodic snapshots of a volume, the snapshots are incremental, and only the blocks on the device that have changed since your last snapshot are saved in the new snapshot. When you delete a snapshot, only the data not needed for any other snapshot is removed. So regardless of which prior snapshots have been deleted, all active snapshots will have access to all the information needed to restore the volume.

You cannot delete a snapshot of the root device of an EBS volume used by a registered AMI. You must first de-register the AMI before you can delete the snapshot.

For more information, see Delete an Amazon EBS snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: SnapshotId + in: query + required: true + description: The ID of the EBS snapshot. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteSnapshot + operationId: POST_DeleteSnapshot + description: '

Deletes the specified snapshot.

When you make periodic snapshots of a volume, the snapshots are incremental, and only the blocks on the device that have changed since your last snapshot are saved in the new snapshot. When you delete a snapshot, only the data not needed for any other snapshot is removed. So regardless of which prior snapshots have been deleted, all active snapshots will have access to all the information needed to restore the volume.

You cannot delete a snapshot of the root device of an EBS volume used by a registered AMI. You must first de-register the AMI before you can delete the snapshot.

For more information, see Delete an Amazon EBS snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSnapshotRequest' + parameters: [] + /?Action=DeleteSpotDatafeedSubscription&Version=2016-11-15: + get: + x-aws-operation-name: DeleteSpotDatafeedSubscription + operationId: GET_DeleteSpotDatafeedSubscription + description: Deletes the data feed for Spot Instances. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteSpotDatafeedSubscription + operationId: POST_DeleteSpotDatafeedSubscription + description: Deletes the data feed for Spot Instances. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSpotDatafeedSubscriptionRequest' + parameters: [] + /?Action=DeleteSubnet&Version=2016-11-15: + get: + x-aws-operation-name: DeleteSubnet + operationId: GET_DeleteSubnet + description: Deletes the specified subnet. You must terminate all running instances in the subnet before you can delete the subnet. + responses: + '200': + description: Success + parameters: + - name: SubnetId + in: query + required: true + description: The ID of the subnet. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteSubnet + operationId: POST_DeleteSubnet + description: Deletes the specified subnet. You must terminate all running instances in the subnet before you can delete the subnet. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSubnetRequest' + parameters: [] + /?Action=DeleteSubnetCidrReservation&Version=2016-11-15: + get: + x-aws-operation-name: DeleteSubnetCidrReservation + operationId: GET_DeleteSubnetCidrReservation + description: Deletes a subnet CIDR reservation. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSubnetCidrReservationResult' + parameters: + - name: SubnetCidrReservationId + in: query + required: true + description: The ID of the subnet CIDR reservation. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteSubnetCidrReservation + operationId: POST_DeleteSubnetCidrReservation + description: Deletes a subnet CIDR reservation. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSubnetCidrReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteSubnetCidrReservationRequest' + parameters: [] + /?Action=DeleteTags&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTags + operationId: GET_DeleteTags + description: '

Deletes the specified set of tags from the specified set of resources.

To list the current tags, use DescribeTags. For more information about tags, see Tagging Your Resources in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ResourceId + in: query + required: true + description: '

The IDs of the resources, separated by spaces.

Constraints: Up to 1000 resource IDs. We recommend breaking up this request into smaller batches.

' + schema: + type: array + items: + $ref: '#/components/schemas/TaggableResourceId' + - name: Tag + in: query + required: false + description: '

The tags to delete. Specify a tag key and an optional tag value to delete specific tags. If you specify a tag key without a tag value, we delete any tag with this key regardless of its value. If you specify a tag key with an empty string as the tag value, we delete the tag only if its value is an empty string.

If you omit this parameter, we delete all user-defined tags for the specified resources. We do not delete Amazon Web Services-generated tags (tags that have the aws: prefix).

Constraints: Up to 1000 tags.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Tag' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTags + operationId: POST_DeleteTags + description: '

Deletes the specified set of tags from the specified set of resources.

To list the current tags, use DescribeTags. For more information about tags, see Tagging Your Resources in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTagsRequest' + parameters: [] + /?Action=DeleteTrafficMirrorFilter&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTrafficMirrorFilter + operationId: GET_DeleteTrafficMirrorFilter + description:

Deletes the specified Traffic Mirror filter.

You cannot delete a Traffic Mirror filter that is in use by a Traffic Mirror session.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorFilterResult' + parameters: + - name: TrafficMirrorFilterId + in: query + required: true + description: The ID of the Traffic Mirror filter. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTrafficMirrorFilter + operationId: POST_DeleteTrafficMirrorFilter + description:

Deletes the specified Traffic Mirror filter.

You cannot delete a Traffic Mirror filter that is in use by a Traffic Mirror session.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorFilterResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorFilterRequest' + parameters: [] + /?Action=DeleteTrafficMirrorFilterRule&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTrafficMirrorFilterRule + operationId: GET_DeleteTrafficMirrorFilterRule + description: Deletes the specified Traffic Mirror rule. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorFilterRuleResult' + parameters: + - name: TrafficMirrorFilterRuleId + in: query + required: true + description: The ID of the Traffic Mirror rule. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTrafficMirrorFilterRule + operationId: POST_DeleteTrafficMirrorFilterRule + description: Deletes the specified Traffic Mirror rule. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorFilterRuleResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorFilterRuleRequest' + parameters: [] + /?Action=DeleteTrafficMirrorSession&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTrafficMirrorSession + operationId: GET_DeleteTrafficMirrorSession + description: Deletes the specified Traffic Mirror session. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorSessionResult' + parameters: + - name: TrafficMirrorSessionId + in: query + required: true + description: The ID of the Traffic Mirror session. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTrafficMirrorSession + operationId: POST_DeleteTrafficMirrorSession + description: Deletes the specified Traffic Mirror session. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorSessionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorSessionRequest' + parameters: [] + /?Action=DeleteTrafficMirrorTarget&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTrafficMirrorTarget + operationId: GET_DeleteTrafficMirrorTarget + description:

Deletes the specified Traffic Mirror target.

You cannot delete a Traffic Mirror target that is in use by a Traffic Mirror session.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorTargetResult' + parameters: + - name: TrafficMirrorTargetId + in: query + required: true + description: The ID of the Traffic Mirror target. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTrafficMirrorTarget + operationId: POST_DeleteTrafficMirrorTarget + description:

Deletes the specified Traffic Mirror target.

You cannot delete a Traffic Mirror target that is in use by a Traffic Mirror session.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorTargetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTrafficMirrorTargetRequest' + parameters: [] + /?Action=DeleteTransitGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGateway + operationId: GET_DeleteTransitGateway + description: Deletes the specified transit gateway. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayResult' + parameters: + - name: TransitGatewayId + in: query + required: true + description: The ID of the transit gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGateway + operationId: POST_DeleteTransitGateway + description: Deletes the specified transit gateway. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRequest' + parameters: [] + /?Action=DeleteTransitGatewayConnect&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayConnect + operationId: GET_DeleteTransitGatewayConnect + description: Deletes the specified Connect attachment. You must first delete any Connect peers for the attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayConnectResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the Connect attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayConnect + operationId: POST_DeleteTransitGatewayConnect + description: Deletes the specified Connect attachment. You must first delete any Connect peers for the attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayConnectResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayConnectRequest' + parameters: [] + /?Action=DeleteTransitGatewayConnectPeer&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayConnectPeer + operationId: GET_DeleteTransitGatewayConnectPeer + description: Deletes the specified Connect peer. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayConnectPeerResult' + parameters: + - name: TransitGatewayConnectPeerId + in: query + required: true + description: The ID of the Connect peer. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayConnectPeer + operationId: POST_DeleteTransitGatewayConnectPeer + description: Deletes the specified Connect peer. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayConnectPeerResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayConnectPeerRequest' + parameters: [] + /?Action=DeleteTransitGatewayMulticastDomain&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayMulticastDomain + operationId: GET_DeleteTransitGatewayMulticastDomain + description: Deletes the specified transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayMulticastDomainResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: true + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayMulticastDomain + operationId: POST_DeleteTransitGatewayMulticastDomain + description: Deletes the specified transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayMulticastDomainResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayMulticastDomainRequest' + parameters: [] + /?Action=DeleteTransitGatewayPeeringAttachment&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayPeeringAttachment + operationId: GET_DeleteTransitGatewayPeeringAttachment + description: Deletes a transit gateway peering attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayPeeringAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the transit gateway peering attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayPeeringAttachment + operationId: POST_DeleteTransitGatewayPeeringAttachment + description: Deletes a transit gateway peering attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayPeeringAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayPeeringAttachmentRequest' + parameters: [] + /?Action=DeleteTransitGatewayPrefixListReference&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayPrefixListReference + operationId: GET_DeleteTransitGatewayPrefixListReference + description: Deletes a reference (route) to a prefix list in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayPrefixListReferenceResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayPrefixListReference + operationId: POST_DeleteTransitGatewayPrefixListReference + description: Deletes a reference (route) to a prefix list in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayPrefixListReferenceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayPrefixListReferenceRequest' + parameters: [] + /?Action=DeleteTransitGatewayRoute&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayRoute + operationId: GET_DeleteTransitGatewayRoute + description: Deletes the specified route from the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRouteResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR range for the route. This must match the CIDR for the route exactly. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayRoute + operationId: POST_DeleteTransitGatewayRoute + description: Deletes the specified route from the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRouteRequest' + parameters: [] + /?Action=DeleteTransitGatewayRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayRouteTable + operationId: GET_DeleteTransitGatewayRouteTable + description: Deletes the specified transit gateway route table. You must disassociate the route table from any transit gateway route tables before you can delete it. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRouteTableResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayRouteTable + operationId: POST_DeleteTransitGatewayRouteTable + description: Deletes the specified transit gateway route table. You must disassociate the route table from any transit gateway route tables before you can delete it. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRouteTableResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayRouteTableRequest' + parameters: [] + /?Action=DeleteTransitGatewayVpcAttachment&Version=2016-11-15: + get: + x-aws-operation-name: DeleteTransitGatewayVpcAttachment + operationId: GET_DeleteTransitGatewayVpcAttachment + description: Deletes the specified VPC attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayVpcAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteTransitGatewayVpcAttachment + operationId: POST_DeleteTransitGatewayVpcAttachment + description: Deletes the specified VPC attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayVpcAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteTransitGatewayVpcAttachmentRequest' + parameters: [] + /?Action=DeleteVolume&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVolume + operationId: GET_DeleteVolume + description: '

Deletes the specified EBS volume. The volume must be in the available state (not attached to an instance).

The volume can remain in the deleting state for several minutes.

For more information, see Delete an Amazon EBS volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: VolumeId + in: query + required: true + description: The ID of the volume. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVolume + operationId: POST_DeleteVolume + description: '

Deletes the specified EBS volume. The volume must be in the available state (not attached to an instance).

The volume can remain in the deleting state for several minutes.

For more information, see Delete an Amazon EBS volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVolumeRequest' + parameters: [] + /?Action=DeleteVpc&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpc + operationId: GET_DeleteVpc + description: 'Deletes the specified VPC. You must detach or delete all gateways and resources that are associated with the VPC before you can delete it. For example, you must terminate all instances running in the VPC, delete all security groups associated with the VPC (except the default one), delete all route tables associated with the VPC (except the default one), and so on.' + responses: + '200': + description: Success + parameters: + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpc + operationId: POST_DeleteVpc + description: 'Deletes the specified VPC. You must detach or delete all gateways and resources that are associated with the VPC before you can delete it. For example, you must terminate all instances running in the VPC, delete all security groups associated with the VPC (except the default one), delete all route tables associated with the VPC (except the default one), and so on.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcRequest' + parameters: [] + /?Action=DeleteVpcEndpointConnectionNotifications&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpcEndpointConnectionNotifications + operationId: GET_DeleteVpcEndpointConnectionNotifications + description: Deletes one or more VPC endpoint connection notifications. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointConnectionNotificationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ConnectionNotificationId + in: query + required: true + description: One or more notification IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpcEndpointConnectionNotifications + operationId: POST_DeleteVpcEndpointConnectionNotifications + description: Deletes one or more VPC endpoint connection notifications. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointConnectionNotificationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointConnectionNotificationsRequest' + parameters: [] + /?Action=DeleteVpcEndpointServiceConfigurations&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpcEndpointServiceConfigurations + operationId: GET_DeleteVpcEndpointServiceConfigurations + description: 'Deletes one or more VPC endpoint service configurations in your account. Before you delete the endpoint service configuration, you must reject any Available or PendingAcceptance interface endpoint connections that are attached to the service.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointServiceConfigurationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The IDs of one or more services. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpcEndpointServiceConfigurations + operationId: POST_DeleteVpcEndpointServiceConfigurations + description: 'Deletes one or more VPC endpoint service configurations in your account. Before you delete the endpoint service configuration, you must reject any Available or PendingAcceptance interface endpoint connections that are attached to the service.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointServiceConfigurationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointServiceConfigurationsRequest' + parameters: [] + /?Action=DeleteVpcEndpoints&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpcEndpoints + operationId: GET_DeleteVpcEndpoints + description: '

Deletes one or more specified VPC endpoints. You can delete any of the following types of VPC endpoints.

The following rules apply when you delete a VPC endpoint:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcEndpointId + in: query + required: true + description: One or more VPC endpoint IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpcEndpoints + operationId: POST_DeleteVpcEndpoints + description: '

Deletes one or more specified VPC endpoints. You can delete any of the following types of VPC endpoints.

The following rules apply when you delete a VPC endpoint:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcEndpointsRequest' + parameters: [] + /?Action=DeleteVpcPeeringConnection&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpcPeeringConnection + operationId: GET_DeleteVpcPeeringConnection + description: Deletes a VPC peering connection. Either the owner of the requester VPC or the owner of the accepter VPC can delete the VPC peering connection if it's in the active state. The owner of the requester VPC can delete a VPC peering connection in the pending-acceptance state. You cannot delete a VPC peering connection that's in the failed state. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcPeeringConnectionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcPeeringConnectionId + in: query + required: true + description: The ID of the VPC peering connection. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpcPeeringConnection + operationId: POST_DeleteVpcPeeringConnection + description: Deletes a VPC peering connection. Either the owner of the requester VPC or the owner of the accepter VPC can delete the VPC peering connection if it's in the active state. The owner of the requester VPC can delete a VPC peering connection in the pending-acceptance state. You cannot delete a VPC peering connection that's in the failed state. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcPeeringConnectionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpcPeeringConnectionRequest' + parameters: [] + /?Action=DeleteVpnConnection&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpnConnection + operationId: GET_DeleteVpnConnection + description: '

Deletes the specified VPN connection.

If you''re deleting the VPC and its associated components, we recommend that you detach the virtual private gateway from the VPC and delete the VPC before deleting the VPN connection. If you believe that the tunnel credentials for your VPN connection have been compromised, you can delete the VPN connection and create a new one that has new keys, without needing to delete the VPC or virtual private gateway. If you create a new VPN connection, you must reconfigure the customer gateway device using the new configuration information returned with the new VPN connection ID.

For certificate-based authentication, delete all Certificate Manager (ACM) private certificates used for the Amazon Web Services-side tunnel endpoints for the VPN connection before deleting the VPN connection.

' + responses: + '200': + description: Success + parameters: + - name: VpnConnectionId + in: query + required: true + description: The ID of the VPN connection. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpnConnection + operationId: POST_DeleteVpnConnection + description: '

Deletes the specified VPN connection.

If you''re deleting the VPC and its associated components, we recommend that you detach the virtual private gateway from the VPC and delete the VPC before deleting the VPN connection. If you believe that the tunnel credentials for your VPN connection have been compromised, you can delete the VPN connection and create a new one that has new keys, without needing to delete the VPC or virtual private gateway. If you create a new VPN connection, you must reconfigure the customer gateway device using the new configuration information returned with the new VPN connection ID.

For certificate-based authentication, delete all Certificate Manager (ACM) private certificates used for the Amazon Web Services-side tunnel endpoints for the VPN connection before deleting the VPN connection.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpnConnectionRequest' + parameters: [] + /?Action=DeleteVpnConnectionRoute&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpnConnectionRoute + operationId: GET_DeleteVpnConnectionRoute + description: Deletes the specified static route associated with a VPN connection between an existing virtual private gateway and a VPN customer gateway. The static route allows traffic to be routed from the virtual private gateway to the VPN customer gateway. + responses: + '200': + description: Success + parameters: + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR block associated with the local subnet of the customer network. + schema: + type: string + - name: VpnConnectionId + in: query + required: true + description: The ID of the VPN connection. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpnConnectionRoute + operationId: POST_DeleteVpnConnectionRoute + description: Deletes the specified static route associated with a VPN connection between an existing virtual private gateway and a VPN customer gateway. The static route allows traffic to be routed from the virtual private gateway to the VPN customer gateway. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpnConnectionRouteRequest' + parameters: [] + /?Action=DeleteVpnGateway&Version=2016-11-15: + get: + x-aws-operation-name: DeleteVpnGateway + operationId: GET_DeleteVpnGateway + description: Deletes the specified virtual private gateway. You must first detach the virtual private gateway from the VPC. Note that you don't need to delete the virtual private gateway if you plan to delete and recreate the VPN connection between your VPC and your network. + responses: + '200': + description: Success + parameters: + - name: VpnGatewayId + in: query + required: true + description: The ID of the virtual private gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeleteVpnGateway + operationId: POST_DeleteVpnGateway + description: Deletes the specified virtual private gateway. You must first detach the virtual private gateway from the VPC. Note that you don't need to delete the virtual private gateway if you plan to delete and recreate the VPN connection between your VPC and your network. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteVpnGatewayRequest' + parameters: [] + /?Action=DeprovisionByoipCidr&Version=2016-11-15: + get: + x-aws-operation-name: DeprovisionByoipCidr + operationId: GET_DeprovisionByoipCidr + description: '

Releases the specified address range that you provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and deletes the corresponding address pool.

Before you can release an address range, you must stop advertising it using WithdrawByoipCidr and you must not have any IP addresses allocated from its address range.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionByoipCidrResult' + parameters: + - name: Cidr + in: query + required: true + description: 'The address range, in CIDR notation. The prefix must be the same prefix that you specified when you provisioned the address range.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeprovisionByoipCidr + operationId: POST_DeprovisionByoipCidr + description: '

Releases the specified address range that you provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and deletes the corresponding address pool.

Before you can release an address range, you must stop advertising it using WithdrawByoipCidr and you must not have any IP addresses allocated from its address range.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionByoipCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionByoipCidrRequest' + parameters: [] + /?Action=DeprovisionIpamPoolCidr&Version=2016-11-15: + get: + x-aws-operation-name: DeprovisionIpamPoolCidr + operationId: GET_DeprovisionIpamPoolCidr + description: 'Deprovision a CIDR provisioned from an IPAM pool. If you deprovision a CIDR from a pool that has a source pool, the CIDR is recycled back into the source pool. For more information, see Deprovision pool CIDRs in the Amazon VPC IPAM User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionIpamPoolCidrResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the pool that has the CIDR you want to deprovision. + schema: + type: string + - name: Cidr + in: query + required: false + description: The CIDR which you want to deprovision from the pool. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeprovisionIpamPoolCidr + operationId: POST_DeprovisionIpamPoolCidr + description: 'Deprovision a CIDR provisioned from an IPAM pool. If you deprovision a CIDR from a pool that has a source pool, the CIDR is recycled back into the source pool. For more information, see Deprovision pool CIDRs in the Amazon VPC IPAM User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionIpamPoolCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionIpamPoolCidrRequest' + parameters: [] + /?Action=DeprovisionPublicIpv4PoolCidr&Version=2016-11-15: + get: + x-aws-operation-name: DeprovisionPublicIpv4PoolCidr + operationId: GET_DeprovisionPublicIpv4PoolCidr + description: Deprovision a CIDR from a public IPv4 pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionPublicIpv4PoolCidrResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PoolId + in: query + required: true + description: The ID of the pool that you want to deprovision the CIDR from. + schema: + type: string + - name: Cidr + in: query + required: true + description: The CIDR you want to deprovision from the pool. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeprovisionPublicIpv4PoolCidr + operationId: POST_DeprovisionPublicIpv4PoolCidr + description: Deprovision a CIDR from a public IPv4 pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionPublicIpv4PoolCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeprovisionPublicIpv4PoolCidrRequest' + parameters: [] + /?Action=DeregisterImage&Version=2016-11-15: + get: + x-aws-operation-name: DeregisterImage + operationId: GET_DeregisterImage + description: '

Deregisters the specified AMI. After you deregister an AMI, it can''t be used to launch new instances.

If you deregister an AMI that matches a Recycle Bin retention rule, the AMI is retained in the Recycle Bin for the specified retention period. For more information, see Recycle Bin in the Amazon Elastic Compute Cloud User Guide.

When you deregister an AMI, it doesn''t affect any instances that you''ve already launched from the AMI. You''ll continue to incur usage costs for those instances until you terminate them.

When you deregister an Amazon EBS-backed AMI, it doesn''t affect the snapshot that was created for the root volume of the instance during the AMI creation process. When you deregister an instance store-backed AMI, it doesn''t affect the files that you uploaded to Amazon S3 when you created the AMI.

' + responses: + '200': + description: Success + parameters: + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeregisterImage + operationId: POST_DeregisterImage + description: '

Deregisters the specified AMI. After you deregister an AMI, it can''t be used to launch new instances.

If you deregister an AMI that matches a Recycle Bin retention rule, the AMI is retained in the Recycle Bin for the specified retention period. For more information, see Recycle Bin in the Amazon Elastic Compute Cloud User Guide.

When you deregister an AMI, it doesn''t affect any instances that you''ve already launched from the AMI. You''ll continue to incur usage costs for those instances until you terminate them.

When you deregister an Amazon EBS-backed AMI, it doesn''t affect the snapshot that was created for the root volume of the instance during the AMI creation process. When you deregister an instance store-backed AMI, it doesn''t affect the files that you uploaded to Amazon S3 when you created the AMI.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterImageRequest' + parameters: [] + /?Action=DeregisterInstanceEventNotificationAttributes&Version=2016-11-15: + get: + x-aws-operation-name: DeregisterInstanceEventNotificationAttributes + operationId: GET_DeregisterInstanceEventNotificationAttributes + description: Deregisters tag keys to prevent tags that have the specified tag keys from being included in scheduled event notifications for resources in the Region. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterInstanceEventNotificationAttributesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceTagAttribute + in: query + required: false + description: Information about the tag keys to deregister. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to deregister all tag keys in the current Region. Specify false to deregister all tag keys. + InstanceTagKey: + allOf: + - $ref: '#/components/schemas/InstanceTagKeySet' + - description: Information about the tag keys to deregister. + description: Information about the tag keys to deregister for the current Region. You can either specify individual tag keys or deregister all tag keys in the current Region. You must specify either IncludeAllTagsOfInstance or InstanceTagKeys in the request + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeregisterInstanceEventNotificationAttributes + operationId: POST_DeregisterInstanceEventNotificationAttributes + description: Deregisters tag keys to prevent tags that have the specified tag keys from being included in scheduled event notifications for resources in the Region. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterInstanceEventNotificationAttributesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterInstanceEventNotificationAttributesRequest' + parameters: [] + /?Action=DeregisterTransitGatewayMulticastGroupMembers&Version=2016-11-15: + get: + x-aws-operation-name: DeregisterTransitGatewayMulticastGroupMembers + operationId: GET_DeregisterTransitGatewayMulticastGroupMembers + description: Deregisters the specified members (network interfaces) from the transit gateway multicast group. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterTransitGatewayMulticastGroupMembersResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: GroupIpAddress + in: query + required: false + description: The IP address assigned to the transit gateway multicast group. + schema: + type: string + - name: NetworkInterfaceIds + in: query + required: false + description: The IDs of the group members' network interfaces. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeregisterTransitGatewayMulticastGroupMembers + operationId: POST_DeregisterTransitGatewayMulticastGroupMembers + description: Deregisters the specified members (network interfaces) from the transit gateway multicast group. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterTransitGatewayMulticastGroupMembersResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterTransitGatewayMulticastGroupMembersRequest' + parameters: [] + /?Action=DeregisterTransitGatewayMulticastGroupSources&Version=2016-11-15: + get: + x-aws-operation-name: DeregisterTransitGatewayMulticastGroupSources + operationId: GET_DeregisterTransitGatewayMulticastGroupSources + description: Deregisters the specified sources (network interfaces) from the transit gateway multicast group. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterTransitGatewayMulticastGroupSourcesResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: GroupIpAddress + in: query + required: false + description: The IP address assigned to the transit gateway multicast group. + schema: + type: string + - name: NetworkInterfaceIds + in: query + required: false + description: The IDs of the group sources' network interfaces. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DeregisterTransitGatewayMulticastGroupSources + operationId: POST_DeregisterTransitGatewayMulticastGroupSources + description: Deregisters the specified sources (network interfaces) from the transit gateway multicast group. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterTransitGatewayMulticastGroupSourcesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DeregisterTransitGatewayMulticastGroupSourcesRequest' + parameters: [] + /?Action=DescribeAccountAttributes&Version=2016-11-15: + get: + x-aws-operation-name: DescribeAccountAttributes + operationId: GET_DescribeAccountAttributes + description: '

Describes attributes of your Amazon Web Services account. The following are the supported account attributes:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAccountAttributesResult' + parameters: + - name: AttributeName + in: query + required: false + description: The account attribute names. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccountAttributeName' + - xml: + name: attributeName + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeAccountAttributes + operationId: POST_DescribeAccountAttributes + description: '

Describes attributes of your Amazon Web Services account. The following are the supported account attributes:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAccountAttributesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAccountAttributesRequest' + parameters: [] + /?Action=DescribeAddresses&Version=2016-11-15: + get: + x-aws-operation-name: DescribeAddresses + operationId: GET_DescribeAddresses + description: '

Describes the specified Elastic IP addresses or all of your Elastic IP addresses.

An Elastic IP address is for use in either the EC2-Classic platform or in a VPC. For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAddressesResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters. Filter names and values are case-sensitive.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: PublicIp + in: query + required: false + description: '

One or more Elastic IP addresses.

Default: Describes all your Elastic IP addresses.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: PublicIp + - name: AllocationId + in: query + required: false + description: '[EC2-VPC] Information about the allocation IDs.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/AllocationId' + - xml: + name: AllocationId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeAddresses + operationId: POST_DescribeAddresses + description: '

Describes the specified Elastic IP addresses or all of your Elastic IP addresses.

An Elastic IP address is for use in either the EC2-Classic platform or in a VPC. For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAddressesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAddressesRequest' + parameters: [] + /?Action=DescribeAddressesAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeAddressesAttribute + operationId: GET_DescribeAddressesAttribute + description: 'Describes the attributes of the specified Elastic IP addresses. For requirements, see Using reverse DNS for email applications.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAddressesAttributeResult' + parameters: + - name: AllocationId + in: query + required: false + description: '[EC2-VPC] The allocation IDs.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/AllocationId' + - xml: + name: item + - name: Attribute + in: query + required: false + description: The attribute of the IP address. + schema: + type: string + enum: + - domain-name + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeAddressesAttribute + operationId: POST_DescribeAddressesAttribute + description: 'Describes the attributes of the specified Elastic IP addresses. For requirements, see Using reverse DNS for email applications.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAddressesAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAddressesAttributeRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeAggregateIdFormat&Version=2016-11-15: + get: + x-aws-operation-name: DescribeAggregateIdFormat + operationId: GET_DescribeAggregateIdFormat + description: '

Describes the longer ID format settings for all resource types in a specific Region. This request is useful for performing a quick audit to determine whether a specific Region is fully opted in for longer IDs (17-character IDs).

This request only returns information about resource types that support longer IDs.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAggregateIdFormatResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeAggregateIdFormat + operationId: POST_DescribeAggregateIdFormat + description: '

Describes the longer ID format settings for all resource types in a specific Region. This request is useful for performing a quick audit to determine whether a specific Region is fully opted in for longer IDs (17-character IDs).

This request only returns information about resource types that support longer IDs.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAggregateIdFormatResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAggregateIdFormatRequest' + parameters: [] + /?Action=DescribeAvailabilityZones&Version=2016-11-15: + get: + x-aws-operation-name: DescribeAvailabilityZones + operationId: GET_DescribeAvailabilityZones + description: '

Describes the Availability Zones, Local Zones, and Wavelength Zones that are available to you. If there is an event impacting a zone, you can use this request to view the state and any provided messages for that zone.

For more information about Availability Zones, Local Zones, and Wavelength Zones, see Regions and zones in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAvailabilityZonesResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ZoneName + in: query + required: false + description: 'The names of the Availability Zones, Local Zones, and Wavelength Zones.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ZoneName + - name: ZoneId + in: query + required: false + description: 'The IDs of the Availability Zones, Local Zones, and Wavelength Zones.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ZoneId + - name: AllAvailabilityZones + in: query + required: false + description: '

Include all Availability Zones, Local Zones, and Wavelength Zones regardless of your opt-in status.

If you do not use this parameter, the results include only the zones for the Regions where you have chosen the option to opt in.

' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeAvailabilityZones + operationId: POST_DescribeAvailabilityZones + description: '

Describes the Availability Zones, Local Zones, and Wavelength Zones that are available to you. If there is an event impacting a zone, you can use this request to view the state and any provided messages for that zone.

For more information about Availability Zones, Local Zones, and Wavelength Zones, see Regions and zones in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAvailabilityZonesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeAvailabilityZonesRequest' + parameters: [] + /?Action=DescribeBundleTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeBundleTasks + operationId: GET_DescribeBundleTasks + description: '

Describes the specified bundle tasks or all of your bundle tasks.

Completed bundle tasks are listed for only a limited time. If your bundle task is no longer in the list, you can still register an AMI from it. Just use RegisterImage with the Amazon S3 bucket name and image manifest name you provided to the bundle task.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeBundleTasksResult' + parameters: + - name: BundleId + in: query + required: false + description: '

The bundle task IDs.

Default: Describes all your bundle tasks.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/BundleId' + - xml: + name: BundleId + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeBundleTasks + operationId: POST_DescribeBundleTasks + description: '

Describes the specified bundle tasks or all of your bundle tasks.

Completed bundle tasks are listed for only a limited time. If your bundle task is no longer in the list, you can still register an AMI from it. Just use RegisterImage with the Amazon S3 bucket name and image manifest name you provided to the bundle task.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeBundleTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeBundleTasksRequest' + parameters: [] + /?Action=DescribeByoipCidrs&Version=2016-11-15: + get: + x-aws-operation-name: DescribeByoipCidrs + operationId: GET_DescribeByoipCidrs + description: '

Describes the IP address ranges that were specified in calls to ProvisionByoipCidr.

To describe the address pools that were created when you provisioned the address ranges, use DescribePublicIpv4Pools or DescribeIpv6Pools.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeByoipCidrsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: true + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeByoipCidrs + operationId: POST_DescribeByoipCidrs + description: '

Describes the IP address ranges that were specified in calls to ProvisionByoipCidr.

To describe the address pools that were created when you provisioned the address ranges, use DescribePublicIpv4Pools or DescribeIpv6Pools.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeByoipCidrsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeByoipCidrsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeCapacityReservationFleets&Version=2016-11-15: + get: + x-aws-operation-name: DescribeCapacityReservationFleets + operationId: GET_DescribeCapacityReservationFleets + description: Describes one or more Capacity Reservation Fleets. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCapacityReservationFleetsResult' + parameters: + - name: CapacityReservationFleetId + in: query + required: false + description: The IDs of the Capacity Reservation Fleets to describe. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeCapacityReservationFleets + operationId: POST_DescribeCapacityReservationFleets + description: Describes one or more Capacity Reservation Fleets. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCapacityReservationFleetsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCapacityReservationFleetsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeCapacityReservations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeCapacityReservations + operationId: GET_DescribeCapacityReservations + description: Describes one or more of your Capacity Reservations. The results describe only the Capacity Reservations in the Amazon Web Services Region that you're currently using. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCapacityReservationsResult' + parameters: + - name: CapacityReservationId + in: query + required: false + description: The ID of the Capacity Reservation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeCapacityReservations + operationId: POST_DescribeCapacityReservations + description: Describes one or more of your Capacity Reservations. The results describe only the Capacity Reservations in the Amazon Web Services Region that you're currently using. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCapacityReservationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCapacityReservationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeCarrierGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeCarrierGateways + operationId: GET_DescribeCarrierGateways + description: Describes one or more of your carrier gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCarrierGatewaysResult' + parameters: + - name: CarrierGatewayId + in: query + required: false + description: One or more carrier gateway IDs. + schema: + type: array + items: + $ref: '#/components/schemas/CarrierGatewayId' + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeCarrierGateways + operationId: POST_DescribeCarrierGateways + description: Describes one or more of your carrier gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCarrierGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCarrierGatewaysRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeClassicLinkInstances&Version=2016-11-15: + get: + x-aws-operation-name: DescribeClassicLinkInstances + operationId: GET_DescribeClassicLinkInstances + description: Describes one or more of your linked EC2-Classic instances. This request only returns information about EC2-Classic instances linked to a VPC through ClassicLink. You cannot use this request to return information about other instances. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClassicLinkInstancesResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: false + description: One or more instance IDs. Must be instances linked to a VPC through ClassicLink. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: MaxResults + in: query + required: false + description: '

The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.

Constraint: If the value is greater than 1000, we return only 1000 items.

' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeClassicLinkInstances + operationId: POST_DescribeClassicLinkInstances + description: Describes one or more of your linked EC2-Classic instances. This request only returns information about EC2-Classic instances linked to a VPC through ClassicLink. You cannot use this request to return information about other instances. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClassicLinkInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClassicLinkInstancesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeClientVpnAuthorizationRules&Version=2016-11-15: + get: + x-aws-operation-name: DescribeClientVpnAuthorizationRules + operationId: GET_DescribeClientVpnAuthorizationRules + description: Describes the authorization rules for a specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnAuthorizationRulesResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters. Filter names and values are case-sensitive.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the nextToken value. + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeClientVpnAuthorizationRules + operationId: POST_DescribeClientVpnAuthorizationRules + description: Describes the authorization rules for a specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnAuthorizationRulesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnAuthorizationRulesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeClientVpnConnections&Version=2016-11-15: + get: + x-aws-operation-name: DescribeClientVpnConnections + operationId: GET_DescribeClientVpnConnections + description: Describes active client connections and connections that have been terminated within the last 60 minutes for the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnConnectionsResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. Filter names and values are case-sensitive.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the nextToken value. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeClientVpnConnections + operationId: POST_DescribeClientVpnConnections + description: Describes active client connections and connections that have been terminated within the last 60 minutes for the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnConnectionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeClientVpnEndpoints&Version=2016-11-15: + get: + x-aws-operation-name: DescribeClientVpnEndpoints + operationId: GET_DescribeClientVpnEndpoints + description: Describes one or more Client VPN endpoints in the account. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnEndpointsResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: false + description: The ID of the Client VPN endpoint. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointId' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the nextToken value. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters. Filter names and values are case-sensitive.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeClientVpnEndpoints + operationId: POST_DescribeClientVpnEndpoints + description: Describes one or more Client VPN endpoints in the account. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnEndpointsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnEndpointsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeClientVpnRoutes&Version=2016-11-15: + get: + x-aws-operation-name: DescribeClientVpnRoutes + operationId: GET_DescribeClientVpnRoutes + description: Describes the routes for the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnRoutesResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters. Filter names and values are case-sensitive.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the nextToken value. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeClientVpnRoutes + operationId: POST_DescribeClientVpnRoutes + description: Describes the routes for the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnRoutesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnRoutesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeClientVpnTargetNetworks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeClientVpnTargetNetworks + operationId: GET_DescribeClientVpnTargetNetworks + description: Describes the target networks associated with the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnTargetNetworksResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: AssociationIds + in: query + required: false + description: The IDs of the target network associations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the nextToken value. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters. Filter names and values are case-sensitive.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeClientVpnTargetNetworks + operationId: POST_DescribeClientVpnTargetNetworks + description: Describes the target networks associated with the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnTargetNetworksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeClientVpnTargetNetworksRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeCoipPools&Version=2016-11-15: + get: + x-aws-operation-name: DescribeCoipPools + operationId: GET_DescribeCoipPools + description: Describes the specified customer-owned address pools or all of your customer-owned address pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCoipPoolsResult' + parameters: + - name: PoolId + in: query + required: false + description: The IDs of the address pools. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PoolCoipId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeCoipPools + operationId: POST_DescribeCoipPools + description: Describes the specified customer-owned address pools or all of your customer-owned address pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCoipPoolsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCoipPoolsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeConversionTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeConversionTasks + operationId: GET_DescribeConversionTasks + description: '

Describes the specified conversion tasks or all your conversion tasks. For more information, see the VM Import/Export User Guide.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeConversionTasksResult' + parameters: + - name: ConversionTaskId + in: query + required: false + description: The conversion task IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ConversionTaskId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeConversionTasks + operationId: POST_DescribeConversionTasks + description: '

Describes the specified conversion tasks or all your conversion tasks. For more information, see the VM Import/Export User Guide.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeConversionTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeConversionTasksRequest' + parameters: [] + /?Action=DescribeCustomerGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeCustomerGateways + operationId: GET_DescribeCustomerGateways + description: '

Describes one or more of your VPN customer gateways.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCustomerGatewaysResult' + parameters: + - name: CustomerGatewayId + in: query + required: false + description: '

One or more customer gateway IDs.

Default: Describes all your customer gateways.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/CustomerGatewayId' + - xml: + name: CustomerGatewayId + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeCustomerGateways + operationId: POST_DescribeCustomerGateways + description: '

Describes one or more of your VPN customer gateways.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCustomerGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeCustomerGatewaysRequest' + parameters: [] + /?Action=DescribeDhcpOptions&Version=2016-11-15: + get: + x-aws-operation-name: DescribeDhcpOptions + operationId: GET_DescribeDhcpOptions + description: '

Describes one or more of your DHCP options sets.

For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeDhcpOptionsResult' + parameters: + - name: DhcpOptionsId + in: query + required: false + description: '

The IDs of one or more DHCP options sets.

Default: Describes all your DHCP options sets.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/DhcpOptionsId' + - xml: + name: DhcpOptionsId + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeDhcpOptions + operationId: POST_DescribeDhcpOptions + description: '

Describes one or more of your DHCP options sets.

For more information, see DHCP options sets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeDhcpOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeDhcpOptionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeEgressOnlyInternetGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeEgressOnlyInternetGateways + operationId: GET_DescribeEgressOnlyInternetGateways + description: Describes one or more of your egress-only internet gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeEgressOnlyInternetGatewaysResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EgressOnlyInternetGatewayId + in: query + required: false + description: One or more egress-only internet gateway IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayId' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 255 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeEgressOnlyInternetGateways + operationId: POST_DescribeEgressOnlyInternetGateways + description: Describes one or more of your egress-only internet gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeEgressOnlyInternetGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeEgressOnlyInternetGatewaysRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeElasticGpus&Version=2016-11-15: + get: + x-aws-operation-name: DescribeElasticGpus + operationId: GET_DescribeElasticGpus + description: 'Describes the Elastic Graphics accelerator associated with your instances. For more information about Elastic Graphics, see Amazon Elastic Graphics.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeElasticGpusResult' + parameters: + - name: ElasticGpuId + in: query + required: false + description: The Elastic Graphics accelerator IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 5 and 1000.' + schema: + type: integer + minimum: 10 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeElasticGpus + operationId: POST_DescribeElasticGpus + description: 'Describes the Elastic Graphics accelerator associated with your instances. For more information about Elastic Graphics, see Amazon Elastic Graphics.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeElasticGpusResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeElasticGpusRequest' + parameters: [] + /?Action=DescribeExportImageTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeExportImageTasks + operationId: GET_DescribeExportImageTasks + description: Describes the specified export image tasks or all of your export image tasks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeExportImageTasksResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: 'Filter tasks using the task-state filter and one of the following values: active, completed, deleting, or deleted.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ExportImageTaskId + in: query + required: false + description: The IDs of the export image tasks. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExportImageTaskId' + - xml: + name: ExportImageTaskId + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in a single call. + schema: + type: integer + minimum: 1 + maximum: 500 + - name: NextToken + in: query + required: false + description: A token that indicates the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeExportImageTasks + operationId: POST_DescribeExportImageTasks + description: Describes the specified export image tasks or all of your export image tasks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeExportImageTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeExportImageTasksRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeExportTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeExportTasks + operationId: GET_DescribeExportTasks + description: Describes the specified export instance tasks or all of your export instance tasks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeExportTasksResult' + parameters: + - name: ExportTaskId + in: query + required: false + description: The export task IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExportTaskId' + - xml: + name: ExportTaskId + - name: Filter + in: query + required: false + description: the filters for the export tasks. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeExportTasks + operationId: POST_DescribeExportTasks + description: Describes the specified export instance tasks or all of your export instance tasks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeExportTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeExportTasksRequest' + parameters: [] + /?Action=DescribeFastLaunchImages&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFastLaunchImages + operationId: GET_DescribeFastLaunchImages + description: Describe details for Windows AMIs that are configured for faster launching. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFastLaunchImagesResult' + parameters: + - name: ImageId + in: query + required: false + description: Details for one or more Windows AMI image IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: ImageId + - name: Filter + in: query + required: false + description:

Use the following filters to streamline results.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another request with the returned NextToken value. If this parameter is not specified, then all results are returned.' + schema: + type: integer + minimum: 0 + maximum: 200 + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFastLaunchImages + operationId: POST_DescribeFastLaunchImages + description: Describe details for Windows AMIs that are configured for faster launching. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFastLaunchImagesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFastLaunchImagesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeFastSnapshotRestores&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFastSnapshotRestores + operationId: GET_DescribeFastSnapshotRestores + description: Describes the state of fast snapshot restores for your snapshots. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFastSnapshotRestoresResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 0 + maximum: 200 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFastSnapshotRestores + operationId: POST_DescribeFastSnapshotRestores + description: Describes the state of fast snapshot restores for your snapshots. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFastSnapshotRestoresResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFastSnapshotRestoresRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeFleetHistory&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFleetHistory + operationId: GET_DescribeFleetHistory + description: '

Describes the events for the specified EC2 Fleet during the specified time.

EC2 Fleet events are delayed by up to 30 seconds before they can be described. This ensures that you can query by the last evaluated time and not miss a recorded event. EC2 Fleet events are available for 48 hours.

For more information, see Monitor fleet events using Amazon EventBridge in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetHistoryResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EventType + in: query + required: false + description: 'The type of events to describe. By default, all events are described.' + schema: + type: string + enum: + - instance-change + - fleet-change + - service-error + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: FleetId + in: query + required: true + description: The ID of the EC2 Fleet. + schema: + type: string + - name: StartTime + in: query + required: true + description: 'The start date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + schema: + type: string + format: date-time + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFleetHistory + operationId: POST_DescribeFleetHistory + description: '

Describes the events for the specified EC2 Fleet during the specified time.

EC2 Fleet events are delayed by up to 30 seconds before they can be described. This ensures that you can query by the last evaluated time and not miss a recorded event. EC2 Fleet events are available for 48 hours.

For more information, see Monitor fleet events using Amazon EventBridge in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetHistoryResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetHistoryRequest' + parameters: [] + /?Action=DescribeFleetInstances&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFleetInstances + operationId: GET_DescribeFleetInstances + description: '

Describes the running instances for the specified EC2 Fleet.

For more information, see Monitor your EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetInstancesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: FleetId + in: query + required: true + description: The ID of the EC2 Fleet. + schema: + type: string + - name: Filter + in: query + required: false + description:

The filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFleetInstances + operationId: POST_DescribeFleetInstances + description: '

Describes the running instances for the specified EC2 Fleet.

For more information, see Monitor your EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetInstancesRequest' + parameters: [] + /?Action=DescribeFleets&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFleets + operationId: GET_DescribeFleets + description: '

Describes the specified EC2 Fleets or all of your EC2 Fleets.

For more information, see Monitor your EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: FleetId + in: query + required: false + description: '

The IDs of the EC2 Fleets.

If a fleet is of type instant, you must specify the fleet ID, otherwise it does not appear in the response.

' + schema: + type: array + items: + $ref: '#/components/schemas/FleetId' + - name: Filter + in: query + required: false + description:

The filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFleets + operationId: POST_DescribeFleets + description: '

Describes the specified EC2 Fleets or all of your EC2 Fleets.

For more information, see Monitor your EC2 Fleet in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFleetsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeFlowLogs&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFlowLogs + operationId: GET_DescribeFlowLogs + description: 'Describes one or more flow logs. To view the information in your flow logs (the log streams for the network interfaces), you must use the CloudWatch Logs console or the CloudWatch Logs API.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFlowLogsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: FlowLogId + in: query + required: false + description: '

One or more flow log IDs.

Constraint: Maximum of 1000 flow log IDs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcFlowLogId' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFlowLogs + operationId: POST_DescribeFlowLogs + description: 'Describes one or more flow logs. To view the information in your flow logs (the log streams for the network interfaces), you must use the CloudWatch Logs console or the CloudWatch Logs API.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFlowLogsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFlowLogsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeFpgaImageAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFpgaImageAttribute + operationId: GET_DescribeFpgaImageAttribute + description: Describes the specified attribute of the specified Amazon FPGA Image (AFI). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFpgaImageAttributeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FpgaImageId + in: query + required: true + description: The ID of the AFI. + schema: + type: string + - name: Attribute + in: query + required: true + description: The AFI attribute. + schema: + type: string + enum: + - description + - name + - loadPermission + - productCodes + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFpgaImageAttribute + operationId: POST_DescribeFpgaImageAttribute + description: Describes the specified attribute of the specified Amazon FPGA Image (AFI). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFpgaImageAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFpgaImageAttributeRequest' + parameters: [] + /?Action=DescribeFpgaImages&Version=2016-11-15: + get: + x-aws-operation-name: DescribeFpgaImages + operationId: GET_DescribeFpgaImages + description: 'Describes the Amazon FPGA Images (AFIs) available to you. These include public AFIs, private AFIs that you own, and AFIs owned by other Amazon Web Services accounts for which you have load permissions.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFpgaImagesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FpgaImageId + in: query + required: false + description: The AFI IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/FpgaImageId' + - xml: + name: item + - name: Owner + in: query + required: false + description: 'Filters the AFI by owner. Specify an Amazon Web Services account ID, self (owner is the sender of the request), or an Amazon Web Services owner alias (valid values are amazon | aws-marketplace).' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: Owner + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in a single call. + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeFpgaImages + operationId: POST_DescribeFpgaImages + description: 'Describes the Amazon FPGA Images (AFIs) available to you. These include public AFIs, private AFIs that you own, and AFIs owned by other Amazon Web Services accounts for which you have load permissions.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFpgaImagesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeFpgaImagesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeHostReservationOfferings&Version=2016-11-15: + get: + x-aws-operation-name: DescribeHostReservationOfferings + operationId: GET_DescribeHostReservationOfferings + description: '

Describes the Dedicated Host reservations that are available to purchase.

The results describe all of the Dedicated Host reservation offerings, including offerings that might not match the instance family and Region of your Dedicated Hosts. When purchasing an offering, ensure that the instance family and Region of the offering matches that of the Dedicated Hosts with which it is to be associated. For more information about supported instance types, see Dedicated Hosts in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostReservationOfferingsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxDuration + in: query + required: false + description: 'This is the maximum duration of the reservation to purchase, specified in seconds. Reservations are available in one-year and three-year terms. The number of seconds specified must be the number of seconds in a year (365x24x60x60) times one of the supported durations (1 or 3). For example, specify 94608000 for three years.' + schema: + type: integer + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + schema: + type: integer + minimum: 5 + maximum: 500 + - name: MinDuration + in: query + required: false + description: 'This is the minimum duration of the reservation you''d like to purchase, specified in seconds. Reservations are available in one-year and three-year terms. The number of seconds specified must be the number of seconds in a year (365x24x60x60) times one of the supported durations (1 or 3). For example, specify 31536000 for one year.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + - name: OfferingId + in: query + required: false + description: The ID of the reservation offering. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeHostReservationOfferings + operationId: POST_DescribeHostReservationOfferings + description: '

Describes the Dedicated Host reservations that are available to purchase.

The results describe all of the Dedicated Host reservation offerings, including offerings that might not match the instance family and Region of your Dedicated Hosts. When purchasing an offering, ensure that the instance family and Region of the offering matches that of the Dedicated Hosts with which it is to be associated. For more information about supported instance types, see Dedicated Hosts in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostReservationOfferingsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostReservationOfferingsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeHostReservations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeHostReservations + operationId: GET_DescribeHostReservations + description: Describes reservations that are associated with Dedicated Hosts in your account. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostReservationsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: HostReservationIdSet + in: query + required: false + description: The host reservation IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/HostReservationId' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeHostReservations + operationId: POST_DescribeHostReservations + description: Describes reservations that are associated with Dedicated Hosts in your account. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostReservationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostReservationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeHosts&Version=2016-11-15: + get: + x-aws-operation-name: DescribeHosts + operationId: GET_DescribeHosts + description:

Describes the specified Dedicated Hosts or all your Dedicated Hosts.

The results describe only the Dedicated Hosts in the Region you're currently using. All listed instances consume capacity on your Dedicated Host. Dedicated Hosts that have recently been released are listed with the state released.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: HostId + in: query + required: false + description: The IDs of the Dedicated Hosts. The IDs are used for targeted instance launches. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: '

The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.

You cannot specify this parameter and the host IDs parameter in the same request.

' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeHosts + operationId: POST_DescribeHosts + description:

Describes the specified Dedicated Hosts or all your Dedicated Hosts.

The results describe only the Dedicated Hosts in the Region you're currently using. All listed instances consume capacity on your Dedicated Host. Dedicated Hosts that have recently been released are listed with the state released.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeHostsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeIamInstanceProfileAssociations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIamInstanceProfileAssociations + operationId: GET_DescribeIamInstanceProfileAssociations + description: Describes your IAM instance profile associations. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIamInstanceProfileAssociationsResult' + parameters: + - name: AssociationId + in: query + required: false + description: The IAM instance profile associations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociationId' + - xml: + name: AssociationId + - name: Filter + in: query + required: false + description:

The filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIamInstanceProfileAssociations + operationId: POST_DescribeIamInstanceProfileAssociations + description: Describes your IAM instance profile associations. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIamInstanceProfileAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIamInstanceProfileAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeIdFormat&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIdFormat + operationId: GET_DescribeIdFormat + description: '

Describes the ID format settings for your resources on a per-Region basis, for example, to view which resource types are enabled for longer IDs. This request only returns information about resource types whose ID formats can be modified; it does not return information about other resource types.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

These settings apply to the IAM user who makes the request; they do not apply to the entire Amazon Web Services account. By default, an IAM user defaults to the same settings as the root user, unless they explicitly override the settings by running the ModifyIdFormat command. Resources created with longer IDs are visible to all IAM users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIdFormatResult' + parameters: + - name: Resource + in: query + required: false + description: 'The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway ' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIdFormat + operationId: POST_DescribeIdFormat + description: '

Describes the ID format settings for your resources on a per-Region basis, for example, to view which resource types are enabled for longer IDs. This request only returns information about resource types whose ID formats can be modified; it does not return information about other resource types.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

These settings apply to the IAM user who makes the request; they do not apply to the entire Amazon Web Services account. By default, an IAM user defaults to the same settings as the root user, unless they explicitly override the settings by running the ModifyIdFormat command. Resources created with longer IDs are visible to all IAM users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIdFormatResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIdFormatRequest' + parameters: [] + /?Action=DescribeIdentityIdFormat&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIdentityIdFormat + operationId: GET_DescribeIdentityIdFormat + description: '

Describes the ID format settings for resources for the specified IAM user, IAM role, or root user. For example, you can view the resource types that are enabled for longer IDs. This request only returns information about resource types whose ID formats can be modified; it does not return information about other resource types. For more information, see Resource IDs in the Amazon Elastic Compute Cloud User Guide.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

These settings apply to the principal specified in the request. They do not apply to the principal that makes the request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIdentityIdFormatResult' + parameters: + - name: PrincipalArn + in: query + required: true + description: 'The ARN of the principal, which can be an IAM role, IAM user, or the root user.' + schema: + type: string + - name: Resource + in: query + required: false + description: 'The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway ' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIdentityIdFormat + operationId: POST_DescribeIdentityIdFormat + description: '

Describes the ID format settings for resources for the specified IAM user, IAM role, or root user. For example, you can view the resource types that are enabled for longer IDs. This request only returns information about resource types whose ID formats can be modified; it does not return information about other resource types. For more information, see Resource IDs in the Amazon Elastic Compute Cloud User Guide.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

These settings apply to the principal specified in the request. They do not apply to the principal that makes the request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIdentityIdFormatResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIdentityIdFormatRequest' + parameters: [] + /?Action=DescribeImageAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeImageAttribute + operationId: GET_DescribeImageAttribute + description: Describes the specified attribute of the specified AMI. You can specify only one attribute at a time. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImageAttribute' + parameters: + - name: Attribute + in: query + required: true + description: '

The AMI attribute.

Note: The blockDeviceMapping attribute is deprecated. Using this attribute returns the Client.AuthFailure error. To get information about the block device mappings for an AMI, use the DescribeImages action.

' + schema: + type: string + enum: + - description + - kernel + - ramdisk + - launchPermission + - productCodes + - blockDeviceMapping + - sriovNetSupport + - bootMode + - tpmSupport + - uefiData + - lastLaunchedTime + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeImageAttribute + operationId: POST_DescribeImageAttribute + description: Describes the specified attribute of the specified AMI. You can specify only one attribute at a time. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImageAttribute' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImageAttributeRequest' + parameters: [] + /?Action=DescribeImages&Version=2016-11-15: + get: + x-aws-operation-name: DescribeImages + operationId: GET_DescribeImages + description: '

Describes the specified images (AMIs, AKIs, and ARIs) available to you or all of the images available to you.

The images available to you include public images, private images that you own, and private images owned by other Amazon Web Services accounts for which you have explicit launch permissions.

Recently deregistered images appear in the returned results for a short interval and then return empty results. After all instances that reference a deregistered AMI are terminated, specifying the ID of the image will eventually return an error indicating that the AMI ID cannot be found.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImagesResult' + parameters: + - name: ExecutableBy + in: query + required: false + description: '

Scopes the images by users with explicit launch permissions. Specify an Amazon Web Services account ID, self (the sender of the request), or all (public AMIs).

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ExecutableBy + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ImageId + in: query + required: false + description: '

The image IDs.

Default: Describes all images available to you.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: ImageId + - name: Owner + in: query + required: false + description: 'Scopes the results to images with the specified owners. You can specify a combination of Amazon Web Services account IDs, self, amazon, and aws-marketplace. If you omit this parameter, the results include all images for which you have launch permissions, regardless of ownership.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: Owner + - name: IncludeDeprecated + in: query + required: false + description: '

If true, all deprecated AMIs are included in the response. If false, no deprecated AMIs are included in the response. If no value is specified, the default value is false.

If you are the AMI owner, all deprecated AMIs appear in the response regardless of the value (true or false) that you set for this parameter.

' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeImages + operationId: POST_DescribeImages + description: '

Describes the specified images (AMIs, AKIs, and ARIs) available to you or all of the images available to you.

The images available to you include public images, private images that you own, and private images owned by other Amazon Web Services accounts for which you have explicit launch permissions.

Recently deregistered images appear in the returned results for a short interval and then return empty results. After all instances that reference a deregistered AMI are terminated, specifying the ID of the image will eventually return an error indicating that the AMI ID cannot be found.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImagesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImagesRequest' + parameters: [] + /?Action=DescribeImportImageTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeImportImageTasks + operationId: GET_DescribeImportImageTasks + description: Displays details about an import virtual machine or import snapshot tasks that are already created. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImportImageTasksResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filters + in: query + required: false + description: 'Filter tasks using the task-state filter and one of the following values: active, completed, deleting, or deleted.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ImportTaskId + in: query + required: false + description: The IDs of the import image tasks. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportImageTaskId' + - xml: + name: ImportTaskId + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in a single call. + schema: + type: integer + - name: NextToken + in: query + required: false + description: A token that indicates the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeImportImageTasks + operationId: POST_DescribeImportImageTasks + description: Displays details about an import virtual machine or import snapshot tasks that are already created. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImportImageTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImportImageTasksRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeImportSnapshotTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeImportSnapshotTasks + operationId: GET_DescribeImportSnapshotTasks + description: Describes your import snapshot tasks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImportSnapshotTasksResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filters + in: query + required: false + description: The filters. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ImportTaskId + in: query + required: false + description: A list of import snapshot task IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportSnapshotTaskId' + - xml: + name: ImportTaskId + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: A token that indicates the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeImportSnapshotTasks + operationId: POST_DescribeImportSnapshotTasks + description: Describes your import snapshot tasks. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImportSnapshotTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeImportSnapshotTasksRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInstanceAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceAttribute + operationId: GET_DescribeInstanceAttribute + description: 'Describes the specified attribute of the specified instance. You can specify only one attribute at a time. Valid attribute values are: instanceType | kernel | ramdisk | userData | disableApiTermination | instanceInitiatedShutdownBehavior | rootDeviceName | blockDeviceMapping | productCodes | sourceDestCheck | groupSet | ebsOptimized | sriovNetSupport ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/InstanceAttribute' + parameters: + - name: Attribute + in: query + required: true + description: '

The instance attribute.

Note: The enaSupport attribute is not supported at this time.

' + schema: + type: string + enum: + - instanceType + - kernel + - ramdisk + - userData + - disableApiTermination + - instanceInitiatedShutdownBehavior + - rootDeviceName + - blockDeviceMapping + - productCodes + - sourceDestCheck + - groupSet + - ebsOptimized + - sriovNetSupport + - enaSupport + - enclaveOptions + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceAttribute + operationId: POST_DescribeInstanceAttribute + description: 'Describes the specified attribute of the specified instance. You can specify only one attribute at a time. Valid attribute values are: instanceType | kernel | ramdisk | userData | disableApiTermination | instanceInitiatedShutdownBehavior | rootDeviceName | blockDeviceMapping | productCodes | sourceDestCheck | groupSet | ebsOptimized | sriovNetSupport ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/InstanceAttribute' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceAttributeRequest' + parameters: [] + /?Action=DescribeInstanceCreditSpecifications&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceCreditSpecifications + operationId: GET_DescribeInstanceCreditSpecifications + description: '

Describes the credit option for CPU usage of the specified burstable performance instances. The credit options are standard and unlimited.

If you do not specify an instance ID, Amazon EC2 returns burstable performance instances with the unlimited credit option, as well as instances that were previously configured as T2, T3, and T3a with the unlimited credit option. For example, if you resize a T2 instance, while it is configured as unlimited, to an M4 instance, Amazon EC2 returns the M4 instance.

If you specify one or more instance IDs, Amazon EC2 returns the credit option (standard or unlimited) of those instances. If you specify an instance ID that is not valid, such as an instance that is not a burstable performance instance, an error is returned.

Recently terminated instances might appear in the returned results. This interval is usually less than one hour.

If an Availability Zone is experiencing a service disruption and you specify instance IDs in the affected zone, or do not specify any instance IDs at all, the call fails. If you specify only instance IDs in an unaffected zone, the call works normally.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceCreditSpecificationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description:

The filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: InstanceId + in: query + required: false + description: '

The instance IDs.

Default: Describes all your instances.

Constraints: Maximum 1000 explicitly specified instance IDs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 5 and 1000. You cannot specify this parameter and the instance IDs parameter in the same call.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceCreditSpecifications + operationId: POST_DescribeInstanceCreditSpecifications + description: '

Describes the credit option for CPU usage of the specified burstable performance instances. The credit options are standard and unlimited.

If you do not specify an instance ID, Amazon EC2 returns burstable performance instances with the unlimited credit option, as well as instances that were previously configured as T2, T3, and T3a with the unlimited credit option. For example, if you resize a T2 instance, while it is configured as unlimited, to an M4 instance, Amazon EC2 returns the M4 instance.

If you specify one or more instance IDs, Amazon EC2 returns the credit option (standard or unlimited) of those instances. If you specify an instance ID that is not valid, such as an instance that is not a burstable performance instance, an error is returned.

Recently terminated instances might appear in the returned results. This interval is usually less than one hour.

If an Availability Zone is experiencing a service disruption and you specify instance IDs in the affected zone, or do not specify any instance IDs at all, the call fails. If you specify only instance IDs in an unaffected zone, the call works normally.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceCreditSpecificationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceCreditSpecificationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInstanceEventNotificationAttributes&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceEventNotificationAttributes + operationId: GET_DescribeInstanceEventNotificationAttributes + description: Describes the tag keys that are registered to appear in scheduled event notifications for resources in the current Region. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceEventNotificationAttributesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceEventNotificationAttributes + operationId: POST_DescribeInstanceEventNotificationAttributes + description: Describes the tag keys that are registered to appear in scheduled event notifications for resources in the current Region. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceEventNotificationAttributesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceEventNotificationAttributesRequest' + parameters: [] + /?Action=DescribeInstanceEventWindows&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceEventWindows + operationId: GET_DescribeInstanceEventWindows + description: '

Describes the specified event windows or all event windows.

If you specify event window IDs, the output includes information for only the specified event windows. If you specify filters, the output includes information for only those event windows that meet the filter criteria. If you do not specify event windows IDs or filters, the output includes information for all event windows, which can affect performance. We recommend that you use pagination to ensure that the operation returns quickly and successfully.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceEventWindowsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceEventWindowId + in: query + required: false + description: The IDs of the event windows. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowId' + - xml: + name: InstanceEventWindowId + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 20 and 500. You cannot specify this parameter and the event window IDs parameter in the same call.' + schema: + type: integer + minimum: 20 + maximum: 500 + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceEventWindows + operationId: POST_DescribeInstanceEventWindows + description: '

Describes the specified event windows or all event windows.

If you specify event window IDs, the output includes information for only the specified event windows. If you specify filters, the output includes information for only those event windows that meet the filter criteria. If you do not specify event windows IDs or filters, the output includes information for all event windows, which can affect performance. We recommend that you use pagination to ensure that the operation returns quickly and successfully.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceEventWindowsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceEventWindowsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInstanceStatus&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceStatus + operationId: GET_DescribeInstanceStatus + description: '

Describes the status of the specified instances or all of your instances. By default, only running instances are described, unless you specifically indicate to return the status of all instances.

Instance status includes the following components:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceStatusResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: InstanceId + in: query + required: false + description: '

The instance IDs.

Default: Describes all your instances.

Constraints: Maximum 100 explicitly specified instance IDs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 5 and 1000. You cannot specify this parameter and the instance IDs parameter in the same call.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IncludeAllInstances + in: query + required: false + description: '

When true, includes the health status for all instances. When false, includes the health status for running instances only.

Default: false

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceStatus + operationId: POST_DescribeInstanceStatus + description: '

Describes the status of the specified instances or all of your instances. By default, only running instances are described, unless you specifically indicate to return the status of all instances.

Instance status includes the following components:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceStatusResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceStatusRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInstanceTypeOfferings&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceTypeOfferings + operationId: GET_DescribeInstanceTypeOfferings + description: 'Returns a list of all instance types offered. The results can be filtered by location (Region or Availability Zone). If no location is specified, the instance types offered in the current Region are returned.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceTypeOfferingsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LocationType + in: query + required: false + description: The location type. + schema: + type: string + enum: + - region + - availability-zone + - availability-zone-id + - name: Filter + in: query + required: false + description: '

One or more filters. Filter names and values are case-sensitive.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the next token value. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceTypeOfferings + operationId: POST_DescribeInstanceTypeOfferings + description: 'Returns a list of all instance types offered. The results can be filtered by location (Region or Availability Zone). If no location is specified, the instance types offered in the current Region are returned.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceTypeOfferingsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceTypeOfferingsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInstanceTypes&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstanceTypes + operationId: GET_DescribeInstanceTypes + description: Describes the details of the instance types that are offered in a location. The results can be filtered by the attributes of the instance types. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceTypesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceType + in: query + required: false + description: 'The instance types. For more information, see Instance types in the Amazon EC2 User Guide.' + schema: + type: array + items: + $ref: '#/components/schemas/InstanceType' + minItems: 0 + maxItems: 100 + - name: Filter + in: query + required: false + description: '

One or more filters. Filter names and values are case-sensitive.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the next token value. + schema: + type: integer + minimum: 5 + maximum: 100 + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstanceTypes + operationId: POST_DescribeInstanceTypes + description: Describes the details of the instance types that are offered in a location. The results can be filtered by the attributes of the instance types. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceTypesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstanceTypesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInstances&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInstances + operationId: GET_DescribeInstances + description: '

Describes the specified instances or all instances.

If you specify instance IDs, the output includes information for only the specified instances. If you specify filters, the output includes information for only those instances that meet the filter criteria. If you do not specify instance IDs or filters, the output includes information for all instances, which can affect performance. We recommend that you use pagination to ensure that the operation returns quickly and successfully.

If you specify an instance ID that is not valid, an error is returned. If you specify an instance that you do not own, it is not included in the output.

Recently terminated instances might appear in the returned results. This interval is usually less than one hour.

If you describe instances in the rare case where an Availability Zone is experiencing a service disruption and you specify instance IDs that are in the affected zone, or do not specify any instance IDs at all, the call fails. If you describe instances and specify only instance IDs that are in an unaffected zone, the call works normally.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstancesResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: InstanceId + in: query + required: false + description: '

The instance IDs.

Default: Describes all your instances.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 5 and 1000. You cannot specify this parameter and the instance IDs parameter in the same call.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInstances + operationId: POST_DescribeInstances + description: '

Describes the specified instances or all instances.

If you specify instance IDs, the output includes information for only the specified instances. If you specify filters, the output includes information for only those instances that meet the filter criteria. If you do not specify instance IDs or filters, the output includes information for all instances, which can affect performance. We recommend that you use pagination to ensure that the operation returns quickly and successfully.

If you specify an instance ID that is not valid, an error is returned. If you specify an instance that you do not own, it is not included in the output.

Recently terminated instances might appear in the returned results. This interval is usually less than one hour.

If you describe instances in the rare case where an Availability Zone is experiencing a service disruption and you specify instance IDs that are in the affected zone, or do not specify any instance IDs at all, the call fails. If you describe instances and specify only instance IDs that are in an unaffected zone, the call works normally.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInstancesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeInternetGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeInternetGateways + operationId: GET_DescribeInternetGateways + description: Describes one or more of your internet gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInternetGatewaysResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InternetGatewayId + in: query + required: false + description: '

One or more internet gateway IDs.

Default: Describes all your internet gateways.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InternetGatewayId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeInternetGateways + operationId: POST_DescribeInternetGateways + description: Describes one or more of your internet gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInternetGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeInternetGatewaysRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeIpamPools&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIpamPools + operationId: GET_DescribeIpamPools + description: Get information about your IPAM pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamPoolsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: 'One or more filters for the request. For more information about filtering, see Filtering CLI output.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in the request. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: IpamPoolId + in: query + required: false + description: The IDs of the IPAM pools you would like information on. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIpamPools + operationId: POST_DescribeIpamPools + description: Get information about your IPAM pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamPoolsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamPoolsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeIpamScopes&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIpamScopes + operationId: GET_DescribeIpamScopes + description: Get information about your IPAM scopes. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamScopesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: 'One or more filters for the request. For more information about filtering, see Filtering CLI output.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in the request. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: IpamScopeId + in: query + required: false + description: The IDs of the scopes you want information on. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIpamScopes + operationId: POST_DescribeIpamScopes + description: Get information about your IPAM scopes. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamScopesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamScopesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeIpams&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIpams + operationId: GET_DescribeIpams + description: '

Get information about your IPAM pools.

For more information, see What is IPAM? in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: 'One or more filters for the request. For more information about filtering, see Filtering CLI output.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in the request. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: IpamId + in: query + required: false + description: The IDs of the IPAMs you want information on. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIpams + operationId: POST_DescribeIpams + description: '

Get information about your IPAM pools.

For more information, see What is IPAM? in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpamsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeIpv6Pools&Version=2016-11-15: + get: + x-aws-operation-name: DescribeIpv6Pools + operationId: GET_DescribeIpv6Pools + description: Describes your IPv6 address pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpv6PoolsResult' + parameters: + - name: PoolId + in: query + required: false + description: The IDs of the IPv6 address pools. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6PoolEc2Id' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeIpv6Pools + operationId: POST_DescribeIpv6Pools + description: Describes your IPv6 address pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpv6PoolsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeIpv6PoolsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeKeyPairs&Version=2016-11-15: + get: + x-aws-operation-name: DescribeKeyPairs + operationId: GET_DescribeKeyPairs + description: '

Describes the specified key pairs or all of your key pairs.

For more information about key pairs, see Amazon EC2 key pairs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeKeyPairsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: KeyName + in: query + required: false + description: '

The key pair names.

Default: Describes all of your key pairs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/KeyPairName' + - xml: + name: KeyName + - name: KeyPairId + in: query + required: false + description: The IDs of the key pairs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/KeyPairId' + - xml: + name: KeyPairId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IncludePublicKey + in: query + required: false + description: '

If true, the public key material is included in the response.

Default: false

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeKeyPairs + operationId: POST_DescribeKeyPairs + description: '

Describes the specified key pairs or all of your key pairs.

For more information about key pairs, see Amazon EC2 key pairs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeKeyPairsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeKeyPairsRequest' + parameters: [] + /?Action=DescribeLaunchTemplateVersions&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLaunchTemplateVersions + operationId: GET_DescribeLaunchTemplateVersions + description: 'Describes one or more versions of a specified launch template. You can describe all versions, individual versions, or a range of versions. You can also describe all the latest versions or all the default versions of all the launch templates in your account.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLaunchTemplateVersionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LaunchTemplateId + in: query + required: false + description: 'The ID of the launch template. To describe one or more versions of a specified launch template, you must specify either the launch template ID or the launch template name in the request. To describe all the latest or default launch template versions in your account, you must omit this parameter.' + schema: + type: string + - name: LaunchTemplateName + in: query + required: false + description: 'The name of the launch template. To describe one or more versions of a specified launch template, you must specify either the launch template ID or the launch template name in the request. To describe all the latest or default launch template versions in your account, you must omit this parameter.' + schema: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + - name: LaunchTemplateVersion + in: query + required: false + description: '

One or more versions of the launch template. Valid values depend on whether you are describing a specified launch template (by ID or name) or all launch templates in your account.

To describe one or more versions of a specified launch template, valid values are $Latest, $Default, and numbers.

To describe all launch templates in your account that are defined as the latest version, the valid value is $Latest. To describe all launch templates in your account that are defined as the default version, the valid value is $Default. You can specify $Latest and $Default in the same call. You cannot specify numbers.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: MinVersion + in: query + required: false + description: The version number after which to describe launch template versions. + schema: + type: string + - name: MaxVersion + in: query + required: false + description: The version number up to which to describe launch template versions. + schema: + type: string + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 1 and 200.' + schema: + type: integer + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLaunchTemplateVersions + operationId: POST_DescribeLaunchTemplateVersions + description: 'Describes one or more versions of a specified launch template. You can describe all versions, individual versions, or a range of versions. You can also describe all the latest versions or all the default versions of all the launch templates in your account.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLaunchTemplateVersionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLaunchTemplateVersionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLaunchTemplates&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLaunchTemplates + operationId: GET_DescribeLaunchTemplates + description: Describes one or more launch templates. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLaunchTemplatesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LaunchTemplateId + in: query + required: false + description: One or more launch template IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateId' + - xml: + name: item + - name: LaunchTemplateName + in: query + required: false + description: One or more launch template names. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 1 and 200.' + schema: + type: integer + minimum: 1 + maximum: 200 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLaunchTemplates + operationId: POST_DescribeLaunchTemplates + description: Describes one or more launch templates. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLaunchTemplatesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLaunchTemplatesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociations + operationId: GET_DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociations + description: Describes the associations between virtual interface groups and local gateway route tables. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsResult' + parameters: + - name: LocalGatewayRouteTableVirtualInterfaceGroupAssociationId + in: query + required: false + description: The IDs of the associations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVirtualInterfaceGroupAssociationId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociations + operationId: POST_DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociations + description: Describes the associations between virtual interface groups and local gateway route tables. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLocalGatewayRouteTableVpcAssociations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLocalGatewayRouteTableVpcAssociations + operationId: GET_DescribeLocalGatewayRouteTableVpcAssociations + description: Describes the specified associations between VPCs and local gateway route tables. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTableVpcAssociationsResult' + parameters: + - name: LocalGatewayRouteTableVpcAssociationId + in: query + required: false + description: The IDs of the associations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociationId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLocalGatewayRouteTableVpcAssociations + operationId: POST_DescribeLocalGatewayRouteTableVpcAssociations + description: Describes the specified associations between VPCs and local gateway route tables. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTableVpcAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTableVpcAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLocalGatewayRouteTables&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLocalGatewayRouteTables + operationId: GET_DescribeLocalGatewayRouteTables + description: 'Describes one or more local gateway route tables. By default, all local gateway route tables are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTablesResult' + parameters: + - name: LocalGatewayRouteTableId + in: query + required: false + description: The IDs of the local gateway route tables. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoutetableId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLocalGatewayRouteTables + operationId: POST_DescribeLocalGatewayRouteTables + description: 'Describes one or more local gateway route tables. By default, all local gateway route tables are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTablesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayRouteTablesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLocalGatewayVirtualInterfaceGroups&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLocalGatewayVirtualInterfaceGroups + operationId: GET_DescribeLocalGatewayVirtualInterfaceGroups + description: Describes the specified local gateway virtual interface groups. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayVirtualInterfaceGroupsResult' + parameters: + - name: LocalGatewayVirtualInterfaceGroupId + in: query + required: false + description: The IDs of the virtual interface groups. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLocalGatewayVirtualInterfaceGroups + operationId: POST_DescribeLocalGatewayVirtualInterfaceGroups + description: Describes the specified local gateway virtual interface groups. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayVirtualInterfaceGroupsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayVirtualInterfaceGroupsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLocalGatewayVirtualInterfaces&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLocalGatewayVirtualInterfaces + operationId: GET_DescribeLocalGatewayVirtualInterfaces + description: Describes the specified local gateway virtual interfaces. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayVirtualInterfacesResult' + parameters: + - name: LocalGatewayVirtualInterfaceId + in: query + required: false + description: The IDs of the virtual interfaces. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLocalGatewayVirtualInterfaces + operationId: POST_DescribeLocalGatewayVirtualInterfaces + description: Describes the specified local gateway virtual interfaces. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayVirtualInterfacesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewayVirtualInterfacesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeLocalGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeLocalGateways + operationId: GET_DescribeLocalGateways + description: 'Describes one or more local gateways. By default, all local gateways are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewaysResult' + parameters: + - name: LocalGatewayId + in: query + required: false + description: The IDs of the local gateways. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayId' + - xml: + name: item + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeLocalGateways + operationId: POST_DescribeLocalGateways + description: 'Describes one or more local gateways. By default, all local gateways are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeLocalGatewaysRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeManagedPrefixLists&Version=2016-11-15: + get: + x-aws-operation-name: DescribeManagedPrefixLists + operationId: GET_DescribeManagedPrefixLists + description: '

Describes your managed prefix lists and any Amazon Web Services-managed prefix lists.

To view the entries for your prefix list, use GetManagedPrefixListEntries.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeManagedPrefixListsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: PrefixListId + in: query + required: false + description: One or more prefix list IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeManagedPrefixLists + operationId: POST_DescribeManagedPrefixLists + description: '

Describes your managed prefix lists and any Amazon Web Services-managed prefix lists.

To view the entries for your prefix list, use GetManagedPrefixListEntries.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeManagedPrefixListsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeManagedPrefixListsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeMovingAddresses&Version=2016-11-15: + get: + x-aws-operation-name: DescribeMovingAddresses + operationId: GET_DescribeMovingAddresses + description: 'Describes your Elastic IP addresses that are being moved to the EC2-VPC platform, or that are being restored to the EC2-Classic platform. This request does not return information about any other Elastic IP addresses in your account.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeMovingAddressesResult' + parameters: + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: '

The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. This value can be between 5 and 1000; if MaxResults is given a value outside of this range, an error is returned.

Default: If no value is provided, the default is 1000.

' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: PublicIp + in: query + required: false + description: One or more Elastic IP addresses. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeMovingAddresses + operationId: POST_DescribeMovingAddresses + description: 'Describes your Elastic IP addresses that are being moved to the EC2-VPC platform, or that are being restored to the EC2-Classic platform. This request does not return information about any other Elastic IP addresses in your account.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeMovingAddressesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeMovingAddressesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNatGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNatGateways + operationId: GET_DescribeNatGateways + description: Describes one or more of your NAT gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNatGatewaysResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NatGatewayId + in: query + required: false + description: One or more NAT gateway IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NatGatewayId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNatGateways + operationId: POST_DescribeNatGateways + description: Describes one or more of your NAT gateways. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNatGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNatGatewaysRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkAcls&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkAcls + operationId: GET_DescribeNetworkAcls + description: '

Describes one or more of your network ACLs.

For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkAclsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkAclId + in: query + required: false + description: '

One or more network ACL IDs.

Default: Describes all your network ACLs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkAcls + operationId: POST_DescribeNetworkAcls + description: '

Describes one or more of your network ACLs.

For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkAclsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkAclsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkInsightsAccessScopeAnalyses&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInsightsAccessScopeAnalyses + operationId: GET_DescribeNetworkInsightsAccessScopeAnalyses + description: Describes the specified Network Access Scope analyses. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAccessScopeAnalysesResult' + parameters: + - name: NetworkInsightsAccessScopeAnalysisId + in: query + required: false + description: The IDs of the Network Access Scope analyses. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisId' + - xml: + name: item + - name: NetworkInsightsAccessScopeId + in: query + required: false + description: The ID of the Network Access Scope. + schema: + type: string + - name: AnalysisStartTimeBegin + in: query + required: false + description: Filters the results based on the start time. The analysis must have started on or after this time. + schema: + type: string + format: date-time + - name: AnalysisStartTimeEnd + in: query + required: false + description: Filters the results based on the start time. The analysis must have started on or before this time. + schema: + type: string + format: date-time + - name: Filter + in: query + required: false + description: There are no supported filters. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInsightsAccessScopeAnalyses + operationId: POST_DescribeNetworkInsightsAccessScopeAnalyses + description: Describes the specified Network Access Scope analyses. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAccessScopeAnalysesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAccessScopeAnalysesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkInsightsAccessScopes&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInsightsAccessScopes + operationId: GET_DescribeNetworkInsightsAccessScopes + description: Describes the specified Network Access Scopes. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAccessScopesResult' + parameters: + - name: NetworkInsightsAccessScopeId + in: query + required: false + description: The IDs of the Network Access Scopes. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - xml: + name: item + - name: Filter + in: query + required: false + description: There are no supported filters. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInsightsAccessScopes + operationId: POST_DescribeNetworkInsightsAccessScopes + description: Describes the specified Network Access Scopes. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAccessScopesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAccessScopesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkInsightsAnalyses&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInsightsAnalyses + operationId: GET_DescribeNetworkInsightsAnalyses + description: Describes one or more of your network insights analyses. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAnalysesResult' + parameters: + - name: NetworkInsightsAnalysisId + in: query + required: false + description: The ID of the network insights analyses. You must specify either analysis IDs or a path ID. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysisId' + - xml: + name: item + - name: NetworkInsightsPathId + in: query + required: false + description: The ID of the path. You must specify either a path ID or analysis IDs. + schema: + type: string + - name: AnalysisStartTime + in: query + required: false + description: The time when the network insights analyses started. + schema: + type: string + format: date-time + - name: AnalysisEndTime + in: query + required: false + description: The time when the network insights analyses ended. + schema: + type: string + format: date-time + - name: Filter + in: query + required: false + description: '

The filters. The following are the possible values:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInsightsAnalyses + operationId: POST_DescribeNetworkInsightsAnalyses + description: Describes one or more of your network insights analyses. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAnalysesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsAnalysesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkInsightsPaths&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInsightsPaths + operationId: GET_DescribeNetworkInsightsPaths + description: Describes one or more of your paths. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsPathsResult' + parameters: + - name: NetworkInsightsPathId + in: query + required: false + description: The IDs of the paths. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

The filters. The following are the possible values:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInsightsPaths + operationId: POST_DescribeNetworkInsightsPaths + description: Describes one or more of your paths. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsPathsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInsightsPathsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkInterfaceAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInterfaceAttribute + operationId: GET_DescribeNetworkInterfaceAttribute + description: Describes a network interface attribute. You can specify only one attribute at a time. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfaceAttributeResult' + parameters: + - name: Attribute + in: query + required: false + description: The attribute of the network interface. This parameter is required. + schema: + type: string + enum: + - description + - groupSet + - sourceDestCheck + - attachment + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInterfaceAttribute + operationId: POST_DescribeNetworkInterfaceAttribute + description: Describes a network interface attribute. You can specify only one attribute at a time. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfaceAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfaceAttributeRequest' + parameters: [] + /?Action=DescribeNetworkInterfacePermissions&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInterfacePermissions + operationId: GET_DescribeNetworkInterfacePermissions + description: 'Describes the permissions for your network interfaces. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfacePermissionsResult' + parameters: + - name: NetworkInterfacePermissionId + in: query + required: false + description: One or more network interface permission IDs. + schema: + type: array + items: + $ref: '#/components/schemas/NetworkInterfacePermissionId' + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. If this parameter is not specified, up to 50 results are returned by default.' + schema: + type: integer + minimum: 5 + maximum: 255 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInterfacePermissions + operationId: POST_DescribeNetworkInterfacePermissions + description: 'Describes the permissions for your network interfaces. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfacePermissionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfacePermissionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeNetworkInterfaces&Version=2016-11-15: + get: + x-aws-operation-name: DescribeNetworkInterfaces + operationId: GET_DescribeNetworkInterfaces + description: Describes one or more of your network interfaces. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfacesResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInterfaceId + in: query + required: false + description: '

One or more network interface IDs.

Default: Describes all your network interfaces.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: The maximum number of items to return for this request. The request returns a token that you can specify in a subsequent call to get the next set of results. You cannot specify this parameter and the network interface IDs parameter in the same request. + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeNetworkInterfaces + operationId: POST_DescribeNetworkInterfaces + description: Describes one or more of your network interfaces. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfacesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeNetworkInterfacesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribePlacementGroups&Version=2016-11-15: + get: + x-aws-operation-name: DescribePlacementGroups + operationId: GET_DescribePlacementGroups + description: 'Describes the specified placement groups or all of your placement groups. For more information, see Placement groups in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePlacementGroupsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupName + in: query + required: false + description: '

The names of the placement groups.

Default: Describes all your placement groups, or only those otherwise specified.

' + schema: + type: array + items: + $ref: '#/components/schemas/PlacementGroupName' + - name: GroupId + in: query + required: false + description: The IDs of the placement groups. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/PlacementGroupId' + - xml: + name: GroupId + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribePlacementGroups + operationId: POST_DescribePlacementGroups + description: 'Describes the specified placement groups or all of your placement groups. For more information, see Placement groups in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePlacementGroupsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePlacementGroupsRequest' + parameters: [] + /?Action=DescribePrefixLists&Version=2016-11-15: + get: + x-aws-operation-name: DescribePrefixLists + operationId: GET_DescribePrefixLists + description: '

Describes available Amazon Web Services services in a prefix list format, which includes the prefix list name and prefix list ID of the service and the IP address range for the service.

We recommend that you use DescribeManagedPrefixLists instead.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePrefixListsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: PrefixListId + in: query + required: false + description: One or more prefix list IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribePrefixLists + operationId: POST_DescribePrefixLists + description: '

Describes available Amazon Web Services services in a prefix list format, which includes the prefix list name and prefix list ID of the service and the IP address range for the service.

We recommend that you use DescribeManagedPrefixLists instead.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePrefixListsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePrefixListsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribePrincipalIdFormat&Version=2016-11-15: + get: + x-aws-operation-name: DescribePrincipalIdFormat + operationId: GET_DescribePrincipalIdFormat + description: '

Describes the ID format settings for the root user and all IAM roles and IAM users that have explicitly specified a longer ID (17-character ID) preference.

By default, all IAM roles and IAM users default to the same ID settings as the root user, unless they explicitly override the settings. This request is useful for identifying those IAM users and IAM roles that have overridden the default ID settings.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePrincipalIdFormatResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Resource + in: query + required: false + description: 'The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway ' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. ' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribePrincipalIdFormat + operationId: POST_DescribePrincipalIdFormat + description: '

Describes the ID format settings for the root user and all IAM roles and IAM users that have explicitly specified a longer ID (17-character ID) preference.

By default, all IAM roles and IAM users default to the same ID settings as the root user, unless they explicitly override the settings. This request is useful for identifying those IAM users and IAM roles that have overridden the default ID settings.

The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePrincipalIdFormatResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePrincipalIdFormatRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribePublicIpv4Pools&Version=2016-11-15: + get: + x-aws-operation-name: DescribePublicIpv4Pools + operationId: GET_DescribePublicIpv4Pools + description: Describes the specified IPv4 address pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePublicIpv4PoolsResult' + parameters: + - name: PoolId + in: query + required: false + description: The IDs of the address pools. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PoolEc2Id' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 10 + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribePublicIpv4Pools + operationId: POST_DescribePublicIpv4Pools + description: Describes the specified IPv4 address pools. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePublicIpv4PoolsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribePublicIpv4PoolsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeRegions&Version=2016-11-15: + get: + x-aws-operation-name: DescribeRegions + operationId: GET_DescribeRegions + description: '

Describes the Regions that are enabled for your account, or all Regions.

For a list of the Regions supported by Amazon EC2, see Amazon Elastic Compute Cloud endpoints and quotas.

For information about enabling and disabling Regions for your account, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeRegionsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: RegionName + in: query + required: false + description: 'The names of the Regions. You can specify any Regions, whether they are enabled and disabled for your account.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: RegionName + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: AllRegions + in: query + required: false + description: 'Indicates whether to display all Regions, including Regions that are disabled for your account.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeRegions + operationId: POST_DescribeRegions + description: '

Describes the Regions that are enabled for your account, or all Regions.

For a list of the Regions supported by Amazon EC2, see Amazon Elastic Compute Cloud endpoints and quotas.

For information about enabling and disabling Regions for your account, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeRegionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeRegionsRequest' + parameters: [] + /?Action=DescribeReplaceRootVolumeTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeReplaceRootVolumeTasks + operationId: GET_DescribeReplaceRootVolumeTasks + description: 'Describes a root volume replacement task. For more information, see Replace a root volume in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReplaceRootVolumeTasksResult' + parameters: + - name: ReplaceRootVolumeTaskId + in: query + required: false + description: The ID of the root volume replacement task to view. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTaskId' + - xml: + name: ReplaceRootVolumeTaskId + - name: Filter + in: query + required: false + description: '

Filter to use:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 50 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeReplaceRootVolumeTasks + operationId: POST_DescribeReplaceRootVolumeTasks + description: 'Describes a root volume replacement task. For more information, see Replace a root volume in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReplaceRootVolumeTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReplaceRootVolumeTasksRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeReservedInstances&Version=2016-11-15: + get: + x-aws-operation-name: DescribeReservedInstances + operationId: GET_DescribeReservedInstances + description: '

Describes one or more of the Reserved Instances that you purchased.

For more information about Reserved Instances, see Reserved Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: OfferingClass + in: query + required: false + description: Describes whether the Reserved Instance is Standard or Convertible. + schema: + type: string + enum: + - standard + - convertible + - name: ReservedInstancesId + in: query + required: false + description: '

One or more Reserved Instance IDs.

Default: Describes all your Reserved Instances, or only those otherwise specified.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: ReservedInstancesId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: OfferingType + in: query + required: false + description: 'The Reserved Instance offering type. If you are using tools that predate the 2011-11-01 API version, you only have access to the Medium Utilization Reserved Instance offering type.' + schema: + type: string + enum: + - Heavy Utilization + - Medium Utilization + - Light Utilization + - No Upfront + - Partial Upfront + - All Upfront + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeReservedInstances + operationId: POST_DescribeReservedInstances + description: '

Describes one or more of the Reserved Instances that you purchased.

For more information about Reserved Instances, see Reserved Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesRequest' + parameters: [] + /?Action=DescribeReservedInstancesListings&Version=2016-11-15: + get: + x-aws-operation-name: DescribeReservedInstancesListings + operationId: GET_DescribeReservedInstancesListings + description: '

Describes your account''s Reserved Instance listings in the Reserved Instance Marketplace.

The Reserved Instance Marketplace matches sellers who want to resell Reserved Instance capacity that they no longer need with buyers who want to purchase additional capacity. Reserved Instances bought and sold through the Reserved Instance Marketplace work like any other Reserved Instances.

As a seller, you choose to list some or all of your Reserved Instances, and you specify the upfront price to receive for them. Your Reserved Instances are then listed in the Reserved Instance Marketplace and are available for purchase.

As a buyer, you specify the configuration of the Reserved Instance to purchase, and the Marketplace matches what you''re searching for with what''s available. The Marketplace first sells the lowest priced Reserved Instances to you, and continues to sell available Reserved Instance listings to you until your demand is met. You are charged based on the total price of all of the listings that you purchase.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesListingsResult' + parameters: + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ReservedInstancesId + in: query + required: false + description: One or more Reserved Instance IDs. + schema: + type: string + - name: ReservedInstancesListingId + in: query + required: false + description: One or more Reserved Instance listing IDs. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeReservedInstancesListings + operationId: POST_DescribeReservedInstancesListings + description: '

Describes your account''s Reserved Instance listings in the Reserved Instance Marketplace.

The Reserved Instance Marketplace matches sellers who want to resell Reserved Instance capacity that they no longer need with buyers who want to purchase additional capacity. Reserved Instances bought and sold through the Reserved Instance Marketplace work like any other Reserved Instances.

As a seller, you choose to list some or all of your Reserved Instances, and you specify the upfront price to receive for them. Your Reserved Instances are then listed in the Reserved Instance Marketplace and are available for purchase.

As a buyer, you specify the configuration of the Reserved Instance to purchase, and the Marketplace matches what you''re searching for with what''s available. The Marketplace first sells the lowest priced Reserved Instances to you, and continues to sell available Reserved Instance listings to you until your demand is met. You are charged based on the total price of all of the listings that you purchase.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesListingsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesListingsRequest' + parameters: [] + /?Action=DescribeReservedInstancesModifications&Version=2016-11-15: + get: + x-aws-operation-name: DescribeReservedInstancesModifications + operationId: GET_DescribeReservedInstancesModifications + description: '

Describes the modifications made to your Reserved Instances. If no parameter is specified, information about all your Reserved Instances modification requests is returned. If a modification ID is specified, only information about the specific modification is returned.

For more information, see Modifying Reserved Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesModificationsResult' + parameters: + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: ReservedInstancesModificationId + in: query + required: false + description: IDs for the submitted modification request. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModificationId' + - xml: + name: ReservedInstancesModificationId + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeReservedInstancesModifications + operationId: POST_DescribeReservedInstancesModifications + description: '

Describes the modifications made to your Reserved Instances. If no parameter is specified, information about all your Reserved Instances modification requests is returned. If a modification ID is specified, only information about the specific modification is returned.

For more information, see Modifying Reserved Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesModificationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesModificationsRequest' + parameters: + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeReservedInstancesOfferings&Version=2016-11-15: + get: + x-aws-operation-name: DescribeReservedInstancesOfferings + operationId: GET_DescribeReservedInstancesOfferings + description: '

Describes Reserved Instance offerings that are available for purchase. With Reserved Instances, you purchase the right to launch instances for a period of time. During that time period, you do not receive insufficient capacity errors, and you pay a lower usage rate than the rate charged for On-Demand instances for the actual time used.

If you have listed your own Reserved Instances for sale in the Reserved Instance Marketplace, they will be excluded from these results. This is to ensure that you do not purchase your own Reserved Instances.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesOfferingsResult' + parameters: + - name: AvailabilityZone + in: query + required: false + description: The Availability Zone in which the Reserved Instance can be used. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: IncludeMarketplace + in: query + required: false + description: Include Reserved Instance Marketplace offerings in the response. + schema: + type: boolean + - name: InstanceType + in: query + required: false + description: 'The instance type that the reservation will cover (for example, m1.small). For more information, see Instance types in the Amazon EC2 User Guide.' + schema: + type: string + enum: + - a1.medium + - a1.large + - a1.xlarge + - a1.2xlarge + - a1.4xlarge + - a1.metal + - c1.medium + - c1.xlarge + - c3.large + - c3.xlarge + - c3.2xlarge + - c3.4xlarge + - c3.8xlarge + - c4.large + - c4.xlarge + - c4.2xlarge + - c4.4xlarge + - c4.8xlarge + - c5.large + - c5.xlarge + - c5.2xlarge + - c5.4xlarge + - c5.9xlarge + - c5.12xlarge + - c5.18xlarge + - c5.24xlarge + - c5.metal + - c5a.large + - c5a.xlarge + - c5a.2xlarge + - c5a.4xlarge + - c5a.8xlarge + - c5a.12xlarge + - c5a.16xlarge + - c5a.24xlarge + - c5ad.large + - c5ad.xlarge + - c5ad.2xlarge + - c5ad.4xlarge + - c5ad.8xlarge + - c5ad.12xlarge + - c5ad.16xlarge + - c5ad.24xlarge + - c5d.large + - c5d.xlarge + - c5d.2xlarge + - c5d.4xlarge + - c5d.9xlarge + - c5d.12xlarge + - c5d.18xlarge + - c5d.24xlarge + - c5d.metal + - c5n.large + - c5n.xlarge + - c5n.2xlarge + - c5n.4xlarge + - c5n.9xlarge + - c5n.18xlarge + - c5n.metal + - c6g.medium + - c6g.large + - c6g.xlarge + - c6g.2xlarge + - c6g.4xlarge + - c6g.8xlarge + - c6g.12xlarge + - c6g.16xlarge + - c6g.metal + - c6gd.medium + - c6gd.large + - c6gd.xlarge + - c6gd.2xlarge + - c6gd.4xlarge + - c6gd.8xlarge + - c6gd.12xlarge + - c6gd.16xlarge + - c6gd.metal + - c6gn.medium + - c6gn.large + - c6gn.xlarge + - c6gn.2xlarge + - c6gn.4xlarge + - c6gn.8xlarge + - c6gn.12xlarge + - c6gn.16xlarge + - c6i.large + - c6i.xlarge + - c6i.2xlarge + - c6i.4xlarge + - c6i.8xlarge + - c6i.12xlarge + - c6i.16xlarge + - c6i.24xlarge + - c6i.32xlarge + - c6i.metal + - cc1.4xlarge + - cc2.8xlarge + - cg1.4xlarge + - cr1.8xlarge + - d2.xlarge + - d2.2xlarge + - d2.4xlarge + - d2.8xlarge + - d3.xlarge + - d3.2xlarge + - d3.4xlarge + - d3.8xlarge + - d3en.xlarge + - d3en.2xlarge + - d3en.4xlarge + - d3en.6xlarge + - d3en.8xlarge + - d3en.12xlarge + - dl1.24xlarge + - f1.2xlarge + - f1.4xlarge + - f1.16xlarge + - g2.2xlarge + - g2.8xlarge + - g3.4xlarge + - g3.8xlarge + - g3.16xlarge + - g3s.xlarge + - g4ad.xlarge + - g4ad.2xlarge + - g4ad.4xlarge + - g4ad.8xlarge + - g4ad.16xlarge + - g4dn.xlarge + - g4dn.2xlarge + - g4dn.4xlarge + - g4dn.8xlarge + - g4dn.12xlarge + - g4dn.16xlarge + - g4dn.metal + - g5.xlarge + - g5.2xlarge + - g5.4xlarge + - g5.8xlarge + - g5.12xlarge + - g5.16xlarge + - g5.24xlarge + - g5.48xlarge + - g5g.xlarge + - g5g.2xlarge + - g5g.4xlarge + - g5g.8xlarge + - g5g.16xlarge + - g5g.metal + - hi1.4xlarge + - hpc6a.48xlarge + - hs1.8xlarge + - h1.2xlarge + - h1.4xlarge + - h1.8xlarge + - h1.16xlarge + - i2.xlarge + - i2.2xlarge + - i2.4xlarge + - i2.8xlarge + - i3.large + - i3.xlarge + - i3.2xlarge + - i3.4xlarge + - i3.8xlarge + - i3.16xlarge + - i3.metal + - i3en.large + - i3en.xlarge + - i3en.2xlarge + - i3en.3xlarge + - i3en.6xlarge + - i3en.12xlarge + - i3en.24xlarge + - i3en.metal + - im4gn.large + - im4gn.xlarge + - im4gn.2xlarge + - im4gn.4xlarge + - im4gn.8xlarge + - im4gn.16xlarge + - inf1.xlarge + - inf1.2xlarge + - inf1.6xlarge + - inf1.24xlarge + - is4gen.medium + - is4gen.large + - is4gen.xlarge + - is4gen.2xlarge + - is4gen.4xlarge + - is4gen.8xlarge + - m1.small + - m1.medium + - m1.large + - m1.xlarge + - m2.xlarge + - m2.2xlarge + - m2.4xlarge + - m3.medium + - m3.large + - m3.xlarge + - m3.2xlarge + - m4.large + - m4.xlarge + - m4.2xlarge + - m4.4xlarge + - m4.10xlarge + - m4.16xlarge + - m5.large + - m5.xlarge + - m5.2xlarge + - m5.4xlarge + - m5.8xlarge + - m5.12xlarge + - m5.16xlarge + - m5.24xlarge + - m5.metal + - m5a.large + - m5a.xlarge + - m5a.2xlarge + - m5a.4xlarge + - m5a.8xlarge + - m5a.12xlarge + - m5a.16xlarge + - m5a.24xlarge + - m5ad.large + - m5ad.xlarge + - m5ad.2xlarge + - m5ad.4xlarge + - m5ad.8xlarge + - m5ad.12xlarge + - m5ad.16xlarge + - m5ad.24xlarge + - m5d.large + - m5d.xlarge + - m5d.2xlarge + - m5d.4xlarge + - m5d.8xlarge + - m5d.12xlarge + - m5d.16xlarge + - m5d.24xlarge + - m5d.metal + - m5dn.large + - m5dn.xlarge + - m5dn.2xlarge + - m5dn.4xlarge + - m5dn.8xlarge + - m5dn.12xlarge + - m5dn.16xlarge + - m5dn.24xlarge + - m5dn.metal + - m5n.large + - m5n.xlarge + - m5n.2xlarge + - m5n.4xlarge + - m5n.8xlarge + - m5n.12xlarge + - m5n.16xlarge + - m5n.24xlarge + - m5n.metal + - m5zn.large + - m5zn.xlarge + - m5zn.2xlarge + - m5zn.3xlarge + - m5zn.6xlarge + - m5zn.12xlarge + - m5zn.metal + - m6a.large + - m6a.xlarge + - m6a.2xlarge + - m6a.4xlarge + - m6a.8xlarge + - m6a.12xlarge + - m6a.16xlarge + - m6a.24xlarge + - m6a.32xlarge + - m6a.48xlarge + - m6g.metal + - m6g.medium + - m6g.large + - m6g.xlarge + - m6g.2xlarge + - m6g.4xlarge + - m6g.8xlarge + - m6g.12xlarge + - m6g.16xlarge + - m6gd.metal + - m6gd.medium + - m6gd.large + - m6gd.xlarge + - m6gd.2xlarge + - m6gd.4xlarge + - m6gd.8xlarge + - m6gd.12xlarge + - m6gd.16xlarge + - m6i.large + - m6i.xlarge + - m6i.2xlarge + - m6i.4xlarge + - m6i.8xlarge + - m6i.12xlarge + - m6i.16xlarge + - m6i.24xlarge + - m6i.32xlarge + - m6i.metal + - mac1.metal + - p2.xlarge + - p2.8xlarge + - p2.16xlarge + - p3.2xlarge + - p3.8xlarge + - p3.16xlarge + - p3dn.24xlarge + - p4d.24xlarge + - r3.large + - r3.xlarge + - r3.2xlarge + - r3.4xlarge + - r3.8xlarge + - r4.large + - r4.xlarge + - r4.2xlarge + - r4.4xlarge + - r4.8xlarge + - r4.16xlarge + - r5.large + - r5.xlarge + - r5.2xlarge + - r5.4xlarge + - r5.8xlarge + - r5.12xlarge + - r5.16xlarge + - r5.24xlarge + - r5.metal + - r5a.large + - r5a.xlarge + - r5a.2xlarge + - r5a.4xlarge + - r5a.8xlarge + - r5a.12xlarge + - r5a.16xlarge + - r5a.24xlarge + - r5ad.large + - r5ad.xlarge + - r5ad.2xlarge + - r5ad.4xlarge + - r5ad.8xlarge + - r5ad.12xlarge + - r5ad.16xlarge + - r5ad.24xlarge + - r5b.large + - r5b.xlarge + - r5b.2xlarge + - r5b.4xlarge + - r5b.8xlarge + - r5b.12xlarge + - r5b.16xlarge + - r5b.24xlarge + - r5b.metal + - r5d.large + - r5d.xlarge + - r5d.2xlarge + - r5d.4xlarge + - r5d.8xlarge + - r5d.12xlarge + - r5d.16xlarge + - r5d.24xlarge + - r5d.metal + - r5dn.large + - r5dn.xlarge + - r5dn.2xlarge + - r5dn.4xlarge + - r5dn.8xlarge + - r5dn.12xlarge + - r5dn.16xlarge + - r5dn.24xlarge + - r5dn.metal + - r5n.large + - r5n.xlarge + - r5n.2xlarge + - r5n.4xlarge + - r5n.8xlarge + - r5n.12xlarge + - r5n.16xlarge + - r5n.24xlarge + - r5n.metal + - r6g.medium + - r6g.large + - r6g.xlarge + - r6g.2xlarge + - r6g.4xlarge + - r6g.8xlarge + - r6g.12xlarge + - r6g.16xlarge + - r6g.metal + - r6gd.medium + - r6gd.large + - r6gd.xlarge + - r6gd.2xlarge + - r6gd.4xlarge + - r6gd.8xlarge + - r6gd.12xlarge + - r6gd.16xlarge + - r6gd.metal + - r6i.large + - r6i.xlarge + - r6i.2xlarge + - r6i.4xlarge + - r6i.8xlarge + - r6i.12xlarge + - r6i.16xlarge + - r6i.24xlarge + - r6i.32xlarge + - r6i.metal + - t1.micro + - t2.nano + - t2.micro + - t2.small + - t2.medium + - t2.large + - t2.xlarge + - t2.2xlarge + - t3.nano + - t3.micro + - t3.small + - t3.medium + - t3.large + - t3.xlarge + - t3.2xlarge + - t3a.nano + - t3a.micro + - t3a.small + - t3a.medium + - t3a.large + - t3a.xlarge + - t3a.2xlarge + - t4g.nano + - t4g.micro + - t4g.small + - t4g.medium + - t4g.large + - t4g.xlarge + - t4g.2xlarge + - u-6tb1.56xlarge + - u-6tb1.112xlarge + - u-9tb1.112xlarge + - u-12tb1.112xlarge + - u-6tb1.metal + - u-9tb1.metal + - u-12tb1.metal + - u-18tb1.metal + - u-24tb1.metal + - vt1.3xlarge + - vt1.6xlarge + - vt1.24xlarge + - x1.16xlarge + - x1.32xlarge + - x1e.xlarge + - x1e.2xlarge + - x1e.4xlarge + - x1e.8xlarge + - x1e.16xlarge + - x1e.32xlarge + - x2iezn.2xlarge + - x2iezn.4xlarge + - x2iezn.6xlarge + - x2iezn.8xlarge + - x2iezn.12xlarge + - x2iezn.metal + - x2gd.medium + - x2gd.large + - x2gd.xlarge + - x2gd.2xlarge + - x2gd.4xlarge + - x2gd.8xlarge + - x2gd.12xlarge + - x2gd.16xlarge + - x2gd.metal + - z1d.large + - z1d.xlarge + - z1d.2xlarge + - z1d.3xlarge + - z1d.6xlarge + - z1d.12xlarge + - z1d.metal + - x2idn.16xlarge + - x2idn.24xlarge + - x2idn.32xlarge + - x2iedn.xlarge + - x2iedn.2xlarge + - x2iedn.4xlarge + - x2iedn.8xlarge + - x2iedn.16xlarge + - x2iedn.24xlarge + - x2iedn.32xlarge + - c6a.large + - c6a.xlarge + - c6a.2xlarge + - c6a.4xlarge + - c6a.8xlarge + - c6a.12xlarge + - c6a.16xlarge + - c6a.24xlarge + - c6a.32xlarge + - c6a.48xlarge + - c6a.metal + - m6a.metal + - i4i.large + - i4i.xlarge + - i4i.2xlarge + - i4i.4xlarge + - i4i.8xlarge + - i4i.16xlarge + - i4i.32xlarge + - name: MaxDuration + in: query + required: false + description: '

The maximum duration (in seconds) to filter when searching for offerings.

Default: 94608000 (3 years)

' + schema: + type: integer + - name: MaxInstanceCount + in: query + required: false + description: '

The maximum number of instances to filter when searching for offerings.

Default: 20

' + schema: + type: integer + - name: MinDuration + in: query + required: false + description: '

The minimum duration (in seconds) to filter when searching for offerings.

Default: 2592000 (1 month)

' + schema: + type: integer + - name: OfferingClass + in: query + required: false + description: The offering class of the Reserved Instance. Can be standard or convertible. + schema: + type: string + enum: + - standard + - convertible + - name: ProductDescription + in: query + required: false + description: The Reserved Instance product platform description. Instances that include (Amazon VPC) in the description are for use with Amazon VPC. + schema: + type: string + enum: + - Linux/UNIX + - Linux/UNIX (Amazon VPC) + - Windows + - Windows (Amazon VPC) + - name: ReservedInstancesOfferingId + in: query + required: false + description: One or more Reserved Instances offering IDs. + schema: + type: array + items: + $ref: '#/components/schemas/ReservedInstancesOfferingId' + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceTenancy + in: query + required: false + description: '

The tenancy of the instances covered by the reservation. A Reserved Instance with a tenancy of dedicated is applied to instances that run in a VPC on single-tenant hardware (i.e., Dedicated Instances).

Important: The host value cannot be used with this parameter. Use the default or dedicated values only.

Default: default

' + schema: + type: string + enum: + - default + - dedicated + - host + - name: MaxResults + in: query + required: false + description: '

The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. The maximum is 100.

Default: 100

' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + - name: OfferingType + in: query + required: false + description: 'The Reserved Instance offering type. If you are using tools that predate the 2011-11-01 API version, you only have access to the Medium Utilization Reserved Instance offering type. ' + schema: + type: string + enum: + - Heavy Utilization + - Medium Utilization + - Light Utilization + - No Upfront + - Partial Upfront + - All Upfront + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeReservedInstancesOfferings + operationId: POST_DescribeReservedInstancesOfferings + description: '

Describes Reserved Instance offerings that are available for purchase. With Reserved Instances, you purchase the right to launch instances for a period of time. During that time period, you do not receive insufficient capacity errors, and you pay a lower usage rate than the rate charged for On-Demand instances for the actual time used.

If you have listed your own Reserved Instances for sale in the Reserved Instance Marketplace, they will be excluded from these results. This is to ensure that you do not purchase your own Reserved Instances.

For more information, see Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesOfferingsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeReservedInstancesOfferingsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeRouteTables&Version=2016-11-15: + get: + x-aws-operation-name: DescribeRouteTables + operationId: GET_DescribeRouteTables + description: '

Describes one or more of your route tables.

Each subnet in your VPC must be associated with a route table. If a subnet is not explicitly associated with any route table, it is implicitly associated with the main route table. This command does not return the subnet ID for implicit associations.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeRouteTablesResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RouteTableId + in: query + required: false + description: '

One or more route table IDs.

Default: Describes all your route tables.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 100 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeRouteTables + operationId: POST_DescribeRouteTables + description: '

Describes one or more of your route tables.

Each subnet in your VPC must be associated with a route table. If a subnet is not explicitly associated with any route table, it is implicitly associated with the main route table. This command does not return the subnet ID for implicit associations.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeRouteTablesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeRouteTablesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeScheduledInstanceAvailability&Version=2016-11-15: + get: + x-aws-operation-name: DescribeScheduledInstanceAvailability + operationId: GET_DescribeScheduledInstanceAvailability + description: '

Finds available schedules that meet the specified criteria.

You can search for an available schedule no more than 3 months in advance. You must meet the minimum required duration of 1,200 hours per year. For example, the minimum daily schedule is 4 hours, the minimum weekly schedule is 24 hours, and the minimum monthly schedule is 100 hours.

After you find a schedule that meets your needs, call PurchaseScheduledInstances to purchase Scheduled Instances with that schedule.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeScheduledInstanceAvailabilityResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: FirstSlotStartTimeRange + in: query + required: true + description: The time period for the first schedule to start. + schema: + type: object + required: + - EarliestTime + - LatestTime + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The latest date and time, in UTC, for the Scheduled Instance to start. This value must be later than or equal to the earliest date and at most three months in the future.' + description: Describes the time period for a Scheduled Instance to start its first schedule. The time period must span less than one day. + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. This value can be between 5 and 300. The default value is 300. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + minimum: 5 + maximum: 300 + - name: MaxSlotDurationInHours + in: query + required: false + description: 'The maximum available duration, in hours. This value must be greater than MinSlotDurationInHours and less than 1,720.' + schema: + type: integer + - name: MinSlotDurationInHours + in: query + required: false + description: 'The minimum available duration, in hours. The minimum required duration is 1,200 hours per year. For example, the minimum daily schedule is 4 hours, the minimum weekly schedule is 24 hours, and the minimum monthly schedule is 100 hours.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: Recurrence + in: query + required: true + description: The schedule recurrence. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The interval quantity. The interval unit depends on the value of Frequency. For example, every 2 weeks or every 2 months.' + OccurrenceDay: + allOf: + - $ref: '#/components/schemas/String' + - description: The unit for OccurrenceDays (DayOfWeek or DayOfMonth). This value is required for a monthly schedule. You can't specify DayOfWeek with a weekly schedule. You can't specify this value with a daily schedule. + description: Describes the recurring schedule for a Scheduled Instance. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeScheduledInstanceAvailability + operationId: POST_DescribeScheduledInstanceAvailability + description: '

Finds available schedules that meet the specified criteria.

You can search for an available schedule no more than 3 months in advance. You must meet the minimum required duration of 1,200 hours per year. For example, the minimum daily schedule is 4 hours, the minimum weekly schedule is 24 hours, and the minimum monthly schedule is 100 hours.

After you find a schedule that meets your needs, call PurchaseScheduledInstances to purchase Scheduled Instances with that schedule.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeScheduledInstanceAvailabilityResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeScheduledInstanceAvailabilityRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeScheduledInstances&Version=2016-11-15: + get: + x-aws-operation-name: DescribeScheduledInstances + operationId: GET_DescribeScheduledInstances + description: Describes the specified Scheduled Instances or all your Scheduled Instances. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeScheduledInstancesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. This value can be between 5 and 300. The default value is 100. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: ScheduledInstanceId + in: query + required: false + description: The Scheduled Instance IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceId' + - xml: + name: ScheduledInstanceId + - name: SlotStartTimeRange + in: query + required: false + description: The time period for the first schedule to start. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The latest date and time, in UTC, for the Scheduled Instance to start.' + description: Describes the time period for a Scheduled Instance to start its first schedule. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeScheduledInstances + operationId: POST_DescribeScheduledInstances + description: Describes the specified Scheduled Instances or all your Scheduled Instances. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeScheduledInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeScheduledInstancesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSecurityGroupReferences&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSecurityGroupReferences + operationId: GET_DescribeSecurityGroupReferences + description: '[VPC only] Describes the VPCs on the other side of a VPC peering connection that are referencing the security groups you''ve specified in this request.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupReferencesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupId + in: query + required: true + description: The IDs of the security groups in your account. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSecurityGroupReferences + operationId: POST_DescribeSecurityGroupReferences + description: '[VPC only] Describes the VPCs on the other side of a VPC peering connection that are referencing the security groups you''ve specified in this request.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupReferencesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupReferencesRequest' + parameters: [] + /?Action=DescribeSecurityGroupRules&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSecurityGroupRules + operationId: GET_DescribeSecurityGroupRules + description: Describes one or more of your security group rules. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupRulesResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: SecurityGroupRuleId + in: query + required: false + description: The IDs of the security group rules. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another request with the returned NextToken value. This value can be between 5 and 1000. If this parameter is not specified, then all results are returned.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSecurityGroupRules + operationId: POST_DescribeSecurityGroupRules + description: Describes one or more of your security group rules. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupRulesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupRulesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSecurityGroups&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSecurityGroups + operationId: GET_DescribeSecurityGroups + description: '

Describes the specified security groups or all of your security groups.

A security group is for use with instances either in the EC2-Classic platform or in a specific VPC. For more information, see Amazon EC2 security groups in the Amazon Elastic Compute Cloud User Guide and Security groups for your VPC in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters. If using multiple filters for rules, the results include security groups for which any combination of rules - not necessarily a single rule - match all filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: GroupId + in: query + required: false + description: '

The IDs of the security groups. Required for security groups in a nondefault VPC.

Default: Describes all of your security groups.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: groupId + - name: GroupName + in: query + required: false + description: '

[EC2-Classic and default VPC only] The names of the security groups. You can specify either the security group name or the security group ID. For security groups in a nondefault VPC, use the group-name filter to describe security groups by name.

Default: Describes all of your security groups.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupName' + - xml: + name: GroupName + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another request with the returned NextToken value. This value can be between 5 and 1000. If this parameter is not specified, then all results are returned.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSecurityGroups + operationId: POST_DescribeSecurityGroups + description: '

Describes the specified security groups or all of your security groups.

A security group is for use with instances either in the EC2-Classic platform or in a specific VPC. For more information, see Amazon EC2 security groups in the Amazon Elastic Compute Cloud User Guide and Security groups for your VPC in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSecurityGroupsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSnapshotAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSnapshotAttribute + operationId: GET_DescribeSnapshotAttribute + description: '

Describes the specified attribute of the specified snapshot. You can specify only one attribute at a time.

For more information about EBS snapshots, see Amazon EBS snapshots in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotAttributeResult' + parameters: + - name: Attribute + in: query + required: true + description: The snapshot attribute you would like to view. + schema: + type: string + enum: + - productCodes + - createVolumePermission + - name: SnapshotId + in: query + required: true + description: The ID of the EBS snapshot. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSnapshotAttribute + operationId: POST_DescribeSnapshotAttribute + description: '

Describes the specified attribute of the specified snapshot. You can specify only one attribute at a time.

For more information about EBS snapshots, see Amazon EBS snapshots in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotAttributeRequest' + parameters: [] + /?Action=DescribeSnapshotTierStatus&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSnapshotTierStatus + operationId: GET_DescribeSnapshotTierStatus + description: Describes the storage tier status of one or more Amazon EBS snapshots. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotTierStatusResult' + parameters: + - name: Filter + in: query + required: false + description:

The filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSnapshotTierStatus + operationId: POST_DescribeSnapshotTierStatus + description: Describes the storage tier status of one or more Amazon EBS snapshots. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotTierStatusResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotTierStatusRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSnapshots&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSnapshots + operationId: GET_DescribeSnapshots + description: '

Describes the specified EBS snapshots available to you or all of the EBS snapshots available to you.

The snapshots available to you include public snapshots, private snapshots that you own, and private snapshots owned by other Amazon Web Services accounts for which you have explicit create volume permissions.

The create volume permissions fall into the following categories:

The list of snapshots returned can be filtered by specifying snapshot IDs, snapshot owners, or Amazon Web Services accounts with create volume permissions. If no options are specified, Amazon EC2 returns all snapshots for which you have create volume permissions.

If you specify one or more snapshot IDs, only snapshots that have the specified IDs are returned. If you specify an invalid snapshot ID, an error is returned. If you specify a snapshot ID for which you do not have access, it is not included in the returned results.

If you specify one or more snapshot owners using the OwnerIds option, only snapshots from the specified owners and for which you have access are returned. The results can include the Amazon Web Services account IDs of the specified owners, amazon for snapshots owned by Amazon, or self for snapshots that you own.

If you specify a list of restorable users, only snapshots with create snapshot permissions for those users are returned. You can specify Amazon Web Services account IDs (if you own the snapshots), self for snapshots for which you own or have explicit permissions, or all for public snapshots.

If you are describing a long list of snapshots, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeSnapshots request to retrieve the remaining results.

To get the state of fast snapshot restores for a snapshot, use DescribeFastSnapshotRestores.

For more information about EBS snapshots, see Amazon EBS snapshots in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotsResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of snapshot results returned by DescribeSnapshots in paginated output. When this parameter is used, DescribeSnapshots only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeSnapshots request with the returned NextToken value. This value can be between 5 and 1,000; if MaxResults is given a value larger than 1,000, only 1,000 results are returned. If this parameter is not used, then DescribeSnapshots returns all results. You cannot specify this parameter and the snapshot IDs parameter in the same request.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The NextToken value returned from a previous paginated DescribeSnapshots request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + schema: + type: string + - name: Owner + in: query + required: false + description: 'Scopes the results to snapshots with the specified owners. You can specify a combination of Amazon Web Services account IDs, self, and amazon.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: Owner + - name: RestorableBy + in: query + required: false + description: The IDs of the Amazon Web Services accounts that can create volumes from the snapshot. + schema: + type: array + items: + $ref: '#/components/schemas/String' + - name: SnapshotId + in: query + required: false + description: '

The snapshot IDs.

Default: Describes the snapshots for which you have create volume permissions.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - xml: + name: SnapshotId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSnapshots + operationId: POST_DescribeSnapshots + description: '

Describes the specified EBS snapshots available to you or all of the EBS snapshots available to you.

The snapshots available to you include public snapshots, private snapshots that you own, and private snapshots owned by other Amazon Web Services accounts for which you have explicit create volume permissions.

The create volume permissions fall into the following categories:

The list of snapshots returned can be filtered by specifying snapshot IDs, snapshot owners, or Amazon Web Services accounts with create volume permissions. If no options are specified, Amazon EC2 returns all snapshots for which you have create volume permissions.

If you specify one or more snapshot IDs, only snapshots that have the specified IDs are returned. If you specify an invalid snapshot ID, an error is returned. If you specify a snapshot ID for which you do not have access, it is not included in the returned results.

If you specify one or more snapshot owners using the OwnerIds option, only snapshots from the specified owners and for which you have access are returned. The results can include the Amazon Web Services account IDs of the specified owners, amazon for snapshots owned by Amazon, or self for snapshots that you own.

If you specify a list of restorable users, only snapshots with create snapshot permissions for those users are returned. You can specify Amazon Web Services account IDs (if you own the snapshots), self for snapshots for which you own or have explicit permissions, or all for public snapshots.

If you are describing a long list of snapshots, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeSnapshots request to retrieve the remaining results.

To get the state of fast snapshot restores for a snapshot, use DescribeFastSnapshotRestores.

For more information about EBS snapshots, see Amazon EBS snapshots in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSnapshotsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSpotDatafeedSubscription&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSpotDatafeedSubscription + operationId: GET_DescribeSpotDatafeedSubscription + description: 'Describes the data feed for Spot Instances. For more information, see Spot Instance data feed in the Amazon EC2 User Guide for Linux Instances.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotDatafeedSubscriptionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSpotDatafeedSubscription + operationId: POST_DescribeSpotDatafeedSubscription + description: 'Describes the data feed for Spot Instances. For more information, see Spot Instance data feed in the Amazon EC2 User Guide for Linux Instances.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotDatafeedSubscriptionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotDatafeedSubscriptionRequest' + parameters: [] + /?Action=DescribeSpotFleetInstances&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSpotFleetInstances + operationId: GET_DescribeSpotFleetInstances + description: Describes the running instances for the specified Spot Fleet. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetInstancesResponse' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: SpotFleetRequestId + in: query + required: true + description: The ID of the Spot Fleet request. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSpotFleetInstances + operationId: POST_DescribeSpotFleetInstances + description: Describes the running instances for the specified Spot Fleet. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetInstancesResponse' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetInstancesRequest' + parameters: [] + /?Action=DescribeSpotFleetRequestHistory&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSpotFleetRequestHistory + operationId: GET_DescribeSpotFleetRequestHistory + description: '

Describes the events for the specified Spot Fleet request during the specified time.

Spot Fleet events are delayed by up to 30 seconds before they can be described. This ensures that you can query by the last evaluated time and not miss a recorded event. Spot Fleet events are available for 48 hours.

For more information, see Monitor fleet events using Amazon EventBridge in the Amazon EC2 User Guide for Linux Instances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetRequestHistoryResponse' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EventType + in: query + required: false + description: 'The type of events to describe. By default, all events are described.' + schema: + type: string + enum: + - instanceChange + - fleetRequestChange + - error + - information + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: SpotFleetRequestId + in: query + required: true + description: The ID of the Spot Fleet request. + schema: + type: string + - name: StartTime + in: query + required: true + description: 'The starting date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + schema: + type: string + format: date-time + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSpotFleetRequestHistory + operationId: POST_DescribeSpotFleetRequestHistory + description: '

Describes the events for the specified Spot Fleet request during the specified time.

Spot Fleet events are delayed by up to 30 seconds before they can be described. This ensures that you can query by the last evaluated time and not miss a recorded event. Spot Fleet events are available for 48 hours.

For more information, see Monitor fleet events using Amazon EventBridge in the Amazon EC2 User Guide for Linux Instances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetRequestHistoryResponse' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetRequestHistoryRequest' + parameters: [] + /?Action=DescribeSpotFleetRequests&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSpotFleetRequests + operationId: GET_DescribeSpotFleetRequests + description:

Describes your Spot Fleet requests.

Spot Fleet requests are deleted 48 hours after they are canceled and their instances are terminated.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetRequestsResponse' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: SpotFleetRequestId + in: query + required: false + description: The IDs of the Spot Fleet requests. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSpotFleetRequests + operationId: POST_DescribeSpotFleetRequests + description:

Describes your Spot Fleet requests.

Spot Fleet requests are deleted 48 hours after they are canceled and their instances are terminated.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetRequestsResponse' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotFleetRequestsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSpotInstanceRequests&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSpotInstanceRequests + operationId: GET_DescribeSpotInstanceRequests + description: '

Describes the specified Spot Instance requests.

You can use DescribeSpotInstanceRequests to find a running Spot Instance by examining the response. If the status of the Spot Instance is fulfilled, the instance ID appears in the response and contains the identifier of the instance. Alternatively, you can use DescribeInstances with a filter to look for instances where the instance lifecycle is spot.

We recommend that you set MaxResults to a value between 5 and 1000 to limit the number of results returned. This paginates the output, which makes the list more manageable and returns the results faster. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeSpotInstanceRequests request to retrieve the remaining results.

Spot Instance requests are deleted four hours after they are canceled and their instances are terminated.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotInstanceRequestsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SpotInstanceRequestId + in: query + required: false + description: One or more Spot Instance request IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequestId' + - xml: + name: SpotInstanceRequestId + - name: NextToken + in: query + required: false + description: The token to request the next set of results. This value is null when there are no more results to return. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 5 and 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSpotInstanceRequests + operationId: POST_DescribeSpotInstanceRequests + description: '

Describes the specified Spot Instance requests.

You can use DescribeSpotInstanceRequests to find a running Spot Instance by examining the response. If the status of the Spot Instance is fulfilled, the instance ID appears in the response and contains the identifier of the instance. Alternatively, you can use DescribeInstances with a filter to look for instances where the instance lifecycle is spot.

We recommend that you set MaxResults to a value between 5 and 1000 to limit the number of results returned. This paginates the output, which makes the list more manageable and returns the results faster. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeSpotInstanceRequests request to retrieve the remaining results.

Spot Instance requests are deleted four hours after they are canceled and their instances are terminated.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotInstanceRequestsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotInstanceRequestsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSpotPriceHistory&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSpotPriceHistory + operationId: GET_DescribeSpotPriceHistory + description: '

Describes the Spot price history. For more information, see Spot Instance pricing history in the Amazon EC2 User Guide for Linux Instances.

When you specify a start and end time, the operation returns the prices of the instance types within that time range. It also returns the last price change before the start time, which is the effective price as of the start time.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotPriceHistoryResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: AvailabilityZone + in: query + required: false + description: Filters the results by the specified Availability Zone. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EndTime + in: query + required: false + description: 'The date and time, up to the current date, from which to stop retrieving the price history data, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + schema: + type: string + format: date-time + - name: InstanceType + in: query + required: false + description: Filters the results by the specified instance types. + schema: + type: array + items: + $ref: '#/components/schemas/InstanceType' + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + - name: ProductDescription + in: query + required: false + description: Filters the results by the specified basic product descriptions. + schema: + type: array + items: + $ref: '#/components/schemas/String' + - name: StartTime + in: query + required: false + description: 'The date and time, up to the past 90 days, from which to start retrieving the price history data, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + schema: + type: string + format: date-time + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSpotPriceHistory + operationId: POST_DescribeSpotPriceHistory + description: '

Describes the Spot price history. For more information, see Spot Instance pricing history in the Amazon EC2 User Guide for Linux Instances.

When you specify a start and end time, the operation returns the prices of the instance types within that time range. It also returns the last price change before the start time, which is the effective price as of the start time.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotPriceHistoryResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSpotPriceHistoryRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeStaleSecurityGroups&Version=2016-11-15: + get: + x-aws-operation-name: DescribeStaleSecurityGroups + operationId: GET_DescribeStaleSecurityGroups + description: '[VPC only] Describes the stale security group rules for security groups in a specified VPC. Rules are stale when they reference a deleted security group in the same VPC or in a peer VPC, or if they reference a security group in a peer VPC for which the VPC peering connection has been deleted.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeStaleSecurityGroupsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: The maximum number of items to return for this request. The request returns a token that you can specify in a subsequent call to get the next set of results. + schema: + type: integer + minimum: 5 + maximum: 255 + - name: NextToken + in: query + required: false + description: The token for the next set of items to return. (You received this token from a prior call.) + schema: + type: string + minLength: 1 + maxLength: 1024 + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeStaleSecurityGroups + operationId: POST_DescribeStaleSecurityGroups + description: '[VPC only] Describes the stale security group rules for security groups in a specified VPC. Rules are stale when they reference a deleted security group in the same VPC or in a peer VPC, or if they reference a security group in a peer VPC for which the VPC peering connection has been deleted.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeStaleSecurityGroupsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeStaleSecurityGroupsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeStoreImageTasks&Version=2016-11-15: + get: + x-aws-operation-name: DescribeStoreImageTasks + operationId: GET_DescribeStoreImageTasks + description: '

Describes the progress of the AMI store tasks. You can describe the store tasks for specified AMIs. If you don''t specify the AMIs, you get a paginated list of store tasks from the last 31 days.

For each AMI task, the response indicates if the task is InProgress, Completed, or Failed. For tasks InProgress, the response shows the estimated progress as a percentage.

Tasks are listed in reverse chronological order. Currently, only tasks from the past 31 days can be viewed.

To use this API, you must have the required permissions. For more information, see Permissions for storing and restoring AMIs using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

For more information, see Store and restore an AMI using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeStoreImageTasksResult' + parameters: + - name: ImageId + in: query + required: false + description: The AMI IDs for which to show progress. Up to 20 AMI IDs can be included in a request. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 1 and 200. You cannot specify this parameter and the ImageIDs parameter in the same call.' + schema: + type: integer + minimum: 1 + maximum: 200 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeStoreImageTasks + operationId: POST_DescribeStoreImageTasks + description: '

Describes the progress of the AMI store tasks. You can describe the store tasks for specified AMIs. If you don''t specify the AMIs, you get a paginated list of store tasks from the last 31 days.

For each AMI task, the response indicates if the task is InProgress, Completed, or Failed. For tasks InProgress, the response shows the estimated progress as a percentage.

Tasks are listed in reverse chronological order. Currently, only tasks from the past 31 days can be viewed.

To use this API, you must have the required permissions. For more information, see Permissions for storing and restoring AMIs using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

For more information, see Store and restore an AMI using Amazon S3 in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeStoreImageTasksResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeStoreImageTasksRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeSubnets&Version=2016-11-15: + get: + x-aws-operation-name: DescribeSubnets + operationId: GET_DescribeSubnets + description: '

Describes one or more of your subnets.

For more information, see Your VPC and subnets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSubnetsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: SubnetId + in: query + required: false + description: '

One or more subnet IDs.

Default: Describes all your subnets.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: SubnetId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeSubnets + operationId: POST_DescribeSubnets + description: '

Describes one or more of your subnets.

For more information, see Your VPC and subnets in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSubnetsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeSubnetsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTags&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTags + operationId: GET_DescribeTags + description: '

Describes the specified tags for your EC2 resources.

For more information about tags, see Tagging Your Resources in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTagsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. This value can be between 5 and 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTags + operationId: POST_DescribeTags + description: '

Describes the specified tags for your EC2 resources.

For more information about tags, see Tagging Your Resources in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTagsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTagsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTrafficMirrorFilters&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTrafficMirrorFilters + operationId: GET_DescribeTrafficMirrorFilters + description: Describes one or more Traffic Mirror filters. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorFiltersResult' + parameters: + - name: TrafficMirrorFilterId + in: query + required: false + description: The ID of the Traffic Mirror filter. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTrafficMirrorFilters + operationId: POST_DescribeTrafficMirrorFilters + description: Describes one or more Traffic Mirror filters. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorFiltersResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorFiltersRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTrafficMirrorSessions&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTrafficMirrorSessions + operationId: GET_DescribeTrafficMirrorSessions + description: 'Describes one or more Traffic Mirror sessions. By default, all Traffic Mirror sessions are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorSessionsResult' + parameters: + - name: TrafficMirrorSessionId + in: query + required: false + description: The ID of the Traffic Mirror session. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorSessionId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTrafficMirrorSessions + operationId: POST_DescribeTrafficMirrorSessions + description: 'Describes one or more Traffic Mirror sessions. By default, all Traffic Mirror sessions are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorSessionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorSessionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTrafficMirrorTargets&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTrafficMirrorTargets + operationId: GET_DescribeTrafficMirrorTargets + description: Information about one or more Traffic Mirror targets. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorTargetsResult' + parameters: + - name: TrafficMirrorTargetId + in: query + required: false + description: The ID of the Traffic Mirror targets. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorTargetId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTrafficMirrorTargets + operationId: POST_DescribeTrafficMirrorTargets + description: Information about one or more Traffic Mirror targets. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorTargetsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrafficMirrorTargetsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayAttachments&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayAttachments + operationId: GET_DescribeTransitGatewayAttachments + description: 'Describes one or more attachments between resources and transit gateways. By default, all attachments are described. Alternatively, you can filter the results by attachment ID, attachment state, resource ID, or resource owner.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayAttachmentsResult' + parameters: + - name: TransitGatewayAttachmentIds + in: query + required: false + description: The IDs of the attachments. + schema: + type: array + items: + $ref: '#/components/schemas/TransitGatewayAttachmentId' + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayAttachments + operationId: POST_DescribeTransitGatewayAttachments + description: 'Describes one or more attachments between resources and transit gateways. By default, all attachments are described. Alternatively, you can filter the results by attachment ID, attachment state, resource ID, or resource owner.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayAttachmentsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayAttachmentsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayConnectPeers&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayConnectPeers + operationId: GET_DescribeTransitGatewayConnectPeers + description: Describes one or more Connect peers. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayConnectPeersResult' + parameters: + - name: TransitGatewayConnectPeerIds + in: query + required: false + description: The IDs of the Connect peers. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayConnectPeers + operationId: POST_DescribeTransitGatewayConnectPeers + description: Describes one or more Connect peers. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayConnectPeersResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayConnectPeersRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayConnects&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayConnects + operationId: GET_DescribeTransitGatewayConnects + description: Describes one or more Connect attachments. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayConnectsResult' + parameters: + - name: TransitGatewayAttachmentIds + in: query + required: false + description: The IDs of the attachments. + schema: + type: array + items: + $ref: '#/components/schemas/TransitGatewayAttachmentId' + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayConnects + operationId: POST_DescribeTransitGatewayConnects + description: Describes one or more Connect attachments. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayConnectsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayConnectsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayMulticastDomains&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayMulticastDomains + operationId: GET_DescribeTransitGatewayMulticastDomains + description: Describes one or more transit gateway multicast domains. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayMulticastDomainsResult' + parameters: + - name: TransitGatewayMulticastDomainIds + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayMulticastDomains + operationId: POST_DescribeTransitGatewayMulticastDomains + description: Describes one or more transit gateway multicast domains. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayMulticastDomainsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayMulticastDomainsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayPeeringAttachments&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayPeeringAttachments + operationId: GET_DescribeTransitGatewayPeeringAttachments + description: Describes your transit gateway peering attachments. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayPeeringAttachmentsResult' + parameters: + - name: TransitGatewayAttachmentIds + in: query + required: false + description: One or more IDs of the transit gateway peering attachments. + schema: + type: array + items: + $ref: '#/components/schemas/TransitGatewayAttachmentId' + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayPeeringAttachments + operationId: POST_DescribeTransitGatewayPeeringAttachments + description: Describes your transit gateway peering attachments. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayPeeringAttachmentsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayPeeringAttachmentsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayRouteTables&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayRouteTables + operationId: GET_DescribeTransitGatewayRouteTables + description: 'Describes one or more transit gateway route tables. By default, all transit gateway route tables are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayRouteTablesResult' + parameters: + - name: TransitGatewayRouteTableIds + in: query + required: false + description: The IDs of the transit gateway route tables. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayRouteTables + operationId: POST_DescribeTransitGatewayRouteTables + description: 'Describes one or more transit gateway route tables. By default, all transit gateway route tables are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayRouteTablesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayRouteTablesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGatewayVpcAttachments&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGatewayVpcAttachments + operationId: GET_DescribeTransitGatewayVpcAttachments + description: 'Describes one or more VPC attachments. By default, all VPC attachments are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayVpcAttachmentsResult' + parameters: + - name: TransitGatewayAttachmentIds + in: query + required: false + description: The IDs of the attachments. + schema: + type: array + items: + $ref: '#/components/schemas/TransitGatewayAttachmentId' + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGatewayVpcAttachments + operationId: POST_DescribeTransitGatewayVpcAttachments + description: 'Describes one or more VPC attachments. By default, all VPC attachments are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayVpcAttachmentsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewayVpcAttachmentsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTransitGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTransitGateways + operationId: GET_DescribeTransitGateways + description: 'Describes one or more transit gateways. By default, all transit gateways are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewaysResult' + parameters: + - name: TransitGatewayIds + in: query + required: false + description: The IDs of the transit gateways. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTransitGateways + operationId: POST_DescribeTransitGateways + description: 'Describes one or more transit gateways. By default, all transit gateways are described. Alternatively, you can filter the results.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTransitGatewaysRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeTrunkInterfaceAssociations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeTrunkInterfaceAssociations + operationId: GET_DescribeTrunkInterfaceAssociations + description: '

This API action is currently in limited preview only. If you are interested in using this feature, contact your account manager.

Describes one or more network interface trunk associations.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrunkInterfaceAssociationsResult' + parameters: + - name: AssociationId + in: query + required: false + description: The IDs of the associations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrunkInterfaceAssociationId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 255 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeTrunkInterfaceAssociations + operationId: POST_DescribeTrunkInterfaceAssociations + description: '

This API action is currently in limited preview only. If you are interested in using this feature, contact your account manager.

Describes one or more network interface trunk associations.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrunkInterfaceAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeTrunkInterfaceAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVolumeAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVolumeAttribute + operationId: GET_DescribeVolumeAttribute + description: '

Describes the specified attribute of the specified volume. You can specify only one attribute at a time.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumeAttributeResult' + parameters: + - name: Attribute + in: query + required: true + description: The attribute of the volume. This parameter is required. + schema: + type: string + enum: + - autoEnableIO + - productCodes + - name: VolumeId + in: query + required: true + description: The ID of the volume. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVolumeAttribute + operationId: POST_DescribeVolumeAttribute + description: '

Describes the specified attribute of the specified volume. You can specify only one attribute at a time.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumeAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumeAttributeRequest' + parameters: [] + /?Action=DescribeVolumeStatus&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVolumeStatus + operationId: GET_DescribeVolumeStatus + description: '

Describes the status of the specified volumes. Volume status provides the result of the checks performed on your volumes to determine events that can impair the performance of your volumes. The performance of a volume can be affected if an issue occurs on the volume''s underlying host. If the volume''s underlying host experiences a power outage or system issue, after the system is restored, there could be data inconsistencies on the volume. Volume events notify you if this occurs. Volume actions notify you if any action needs to be taken in response to the event.

The DescribeVolumeStatus operation provides the following information about the specified volumes:

Status: Reflects the current status of the volume. The possible values are ok, impaired , warning, or insufficient-data. If all checks pass, the overall status of the volume is ok. If the check fails, the overall status is impaired. If the status is insufficient-data, then the checks might still be taking place on your volume at the time. We recommend that you retry the request. For more information about volume status, see Monitor the status of your volumes in the Amazon Elastic Compute Cloud User Guide.

Events: Reflect the cause of a volume status and might require you to take action. For example, if your volume returns an impaired status, then the volume event might be potential-data-inconsistency. This means that your volume has been affected by an issue with the underlying host, has all I/O operations disabled, and might have inconsistent data.

Actions: Reflect the actions you might have to take in response to an event. For example, if the status of the volume is impaired and the volume event shows potential-data-inconsistency, then the action shows enable-volume-io. This means that you may want to enable the I/O operations for the volume by calling the EnableVolumeIO action and then check the volume for data consistency.

Volume status is based on the volume status checks, and does not reflect the volume state. Therefore, volume status does not indicate volumes in the error state (for example, when a volume is incapable of accepting I/O.)

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumeStatusResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of volume results returned by DescribeVolumeStatus in paginated output. When this parameter is used, the request only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. This value can be between 5 and 1,000; if MaxResults is given a value larger than 1,000, only 1,000 results are returned. If this parameter is not used, then DescribeVolumeStatus returns all results. You cannot specify this parameter and the volume IDs parameter in the same request.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: 'The NextToken value to include in a future DescribeVolumeStatus request. When the results of the request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return.' + schema: + type: string + - name: VolumeId + in: query + required: false + description: '

The IDs of the volumes.

Default: Describes all your volumes.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeId' + - xml: + name: VolumeId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVolumeStatus + operationId: POST_DescribeVolumeStatus + description: '

Describes the status of the specified volumes. Volume status provides the result of the checks performed on your volumes to determine events that can impair the performance of your volumes. The performance of a volume can be affected if an issue occurs on the volume''s underlying host. If the volume''s underlying host experiences a power outage or system issue, after the system is restored, there could be data inconsistencies on the volume. Volume events notify you if this occurs. Volume actions notify you if any action needs to be taken in response to the event.

The DescribeVolumeStatus operation provides the following information about the specified volumes:

Status: Reflects the current status of the volume. The possible values are ok, impaired , warning, or insufficient-data. If all checks pass, the overall status of the volume is ok. If the check fails, the overall status is impaired. If the status is insufficient-data, then the checks might still be taking place on your volume at the time. We recommend that you retry the request. For more information about volume status, see Monitor the status of your volumes in the Amazon Elastic Compute Cloud User Guide.

Events: Reflect the cause of a volume status and might require you to take action. For example, if your volume returns an impaired status, then the volume event might be potential-data-inconsistency. This means that your volume has been affected by an issue with the underlying host, has all I/O operations disabled, and might have inconsistent data.

Actions: Reflect the actions you might have to take in response to an event. For example, if the status of the volume is impaired and the volume event shows potential-data-inconsistency, then the action shows enable-volume-io. This means that you may want to enable the I/O operations for the volume by calling the EnableVolumeIO action and then check the volume for data consistency.

Volume status is based on the volume status checks, and does not reflect the volume state. Therefore, volume status does not indicate volumes in the error state (for example, when a volume is incapable of accepting I/O.)

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumeStatusResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumeStatusRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + '/?Action=DescribeVolumes&Version=2016-11-15': + get: + x-aws-operation-name: DescribeVolumes + operationId: GET_DescribeVolumes + description: '

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: VolumeId + in: query + required: false + description: The volume IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeId' + - xml: + name: VolumeId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of volume results returned by DescribeVolumes in paginated output. When this parameter is used, DescribeVolumes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeVolumes request with the returned NextToken value. This value can be between 5 and 500; if MaxResults is given a value larger than 500, only 500 results are returned. If this parameter is not used, then DescribeVolumes returns all results. You cannot specify this parameter and the volume IDs parameter in the same request.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The NextToken value returned from a previous paginated DescribeVolumes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVolumes + operationId: POST_DescribeVolumes + description: '

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + '/?__Action=DescribeVolumes&__Version=2016-11-15': + get: + x-aws-operation-name: DescribeVolumes + operationId: GET_DescribeVolumes + description: '

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: VolumeId + in: query + required: false + description: The volume IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeId' + - xml: + name: VolumeId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of volume results returned by DescribeVolumes in paginated output. When this parameter is used, DescribeVolumes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeVolumes request with the returned NextToken value. This value can be between 5 and 500; if MaxResults is given a value larger than 500, only 500 results are returned. If this parameter is not used, then DescribeVolumes returns all results. You cannot specify this parameter and the volume IDs parameter in the same request.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The NextToken value returned from a previous paginated DescribeVolumes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVolumes + operationId: POST_DescribeVolumes + description: '

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesRequest' + /?Action=DescribeVolumesModifications&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVolumesModifications + operationId: GET_DescribeVolumesModifications + description: '

Describes the most recent volume modification request for the specified EBS volumes.

If a volume has never been modified, some information in the output will be null. If a volume has been modified more than once, the output includes only the most recent modification request.

You can also use CloudWatch Events to check the status of a modification to an EBS volume. For information about CloudWatch Events, see the Amazon CloudWatch Events User Guide. For more information, see Monitor the progress of volume modifications in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesModificationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VolumeId + in: query + required: false + description: The IDs of the volumes. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeId' + - xml: + name: VolumeId + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: NextToken + in: query + required: false + description: The nextToken value returned by a previous paginated request. + schema: + type: string + - name: MaxResults + in: query + required: false + description: The maximum number of results (up to a limit of 500) to be returned in a paginated request. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVolumesModifications + operationId: POST_DescribeVolumesModifications + description: '

Describes the most recent volume modification request for the specified EBS volumes.

If a volume has never been modified, some information in the output will be null. If a volume has been modified more than once, the output includes only the most recent modification request.

You can also use CloudWatch Events to check the status of a modification to an EBS volume. For information about CloudWatch Events, see the Amazon CloudWatch Events User Guide. For more information, see Monitor the progress of volume modifications in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesModificationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesModificationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcAttribute&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcAttribute + operationId: GET_DescribeVpcAttribute + description: Describes the specified attribute of the specified VPC. You can specify only one attribute at a time. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcAttributeResult' + parameters: + - name: Attribute + in: query + required: true + description: The VPC attribute. + schema: + type: string + enum: + - enableDnsSupport + - enableDnsHostnames + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcAttribute + operationId: POST_DescribeVpcAttribute + description: Describes the specified attribute of the specified VPC. You can specify only one attribute at a time. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcAttributeRequest' + parameters: [] + /?Action=DescribeVpcClassicLink&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcClassicLink + operationId: GET_DescribeVpcClassicLink + description: Describes the ClassicLink status of one or more VPCs. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcClassicLinkResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcId + in: query + required: false + description: One or more VPCs for which you want to describe the ClassicLink status. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcId' + - xml: + name: VpcId + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcClassicLink + operationId: POST_DescribeVpcClassicLink + description: Describes the ClassicLink status of one or more VPCs. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcClassicLinkResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcClassicLinkRequest' + parameters: [] + /?Action=DescribeVpcClassicLinkDnsSupport&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcClassicLinkDnsSupport + operationId: GET_DescribeVpcClassicLinkDnsSupport + description: 'Describes the ClassicLink DNS support status of one or more VPCs. If enabled, the DNS hostname of a linked EC2-Classic instance resolves to its private IP address when addressed from an instance in the VPC to which it''s linked. Similarly, the DNS hostname of an instance in a VPC resolves to its private IP address when addressed from a linked EC2-Classic instance. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcClassicLinkDnsSupportResult' + parameters: + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 255 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + minLength: 1 + maxLength: 1024 + - name: VpcIds + in: query + required: false + description: One or more VPC IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcId' + - xml: + name: VpcId + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcClassicLinkDnsSupport + operationId: POST_DescribeVpcClassicLinkDnsSupport + description: 'Describes the ClassicLink DNS support status of one or more VPCs. If enabled, the DNS hostname of a linked EC2-Classic instance resolves to its private IP address when addressed from an instance in the VPC to which it''s linked. Similarly, the DNS hostname of an instance in a VPC resolves to its private IP address when addressed from a linked EC2-Classic instance. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcClassicLinkDnsSupportResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcClassicLinkDnsSupportRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcEndpointConnectionNotifications&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcEndpointConnectionNotifications + operationId: GET_DescribeVpcEndpointConnectionNotifications + description: Describes the connection notifications for VPC endpoints and VPC endpoint services. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointConnectionNotificationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ConnectionNotificationId + in: query + required: false + description: The ID of the notification. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another request with the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to request the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcEndpointConnectionNotifications + operationId: POST_DescribeVpcEndpointConnectionNotifications + description: Describes the connection notifications for VPC endpoints and VPC endpoint services. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointConnectionNotificationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointConnectionNotificationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcEndpointConnections&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcEndpointConnections + operationId: GET_DescribeVpcEndpointConnections + description: 'Describes the VPC endpoint connections to your VPC endpoint services, including any endpoints that are pending your acceptance.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointConnectionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. This value can be between 5 and 1,000; if MaxResults is given a value larger than 1,000, only 1,000 results are returned.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcEndpointConnections + operationId: POST_DescribeVpcEndpointConnections + description: 'Describes the VPC endpoint connections to your VPC endpoint services, including any endpoints that are pending your acceptance.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointConnectionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcEndpointServiceConfigurations&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcEndpointServiceConfigurations + operationId: GET_DescribeVpcEndpointServiceConfigurations + description: Describes the VPC endpoint service configurations in your account (your services). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServiceConfigurationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: false + description: The IDs of one or more services. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. This value can be between 5 and 1,000; if MaxResults is given a value larger than 1,000, only 1,000 results are returned.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcEndpointServiceConfigurations + operationId: POST_DescribeVpcEndpointServiceConfigurations + description: Describes the VPC endpoint service configurations in your account (your services). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServiceConfigurationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServiceConfigurationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcEndpointServicePermissions&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcEndpointServicePermissions + operationId: GET_DescribeVpcEndpointServicePermissions + description: Describes the principals (service consumers) that are permitted to discover your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServicePermissionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the service. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. This value can be between 5 and 1,000; if MaxResults is given a value larger than 1,000, only 1,000 results are returned.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token to retrieve the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcEndpointServicePermissions + operationId: POST_DescribeVpcEndpointServicePermissions + description: Describes the principals (service consumers) that are permitted to discover your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServicePermissionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServicePermissionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcEndpointServices&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcEndpointServices + operationId: GET_DescribeVpcEndpointServices + description: '

Describes available services to which you can create a VPC endpoint.

When the service provider and the consumer have different accounts in multiple Availability Zones, and the consumer views the VPC endpoint service information, the response only includes the common Availability Zones. For example, when the service provider account uses us-east-1a and us-east-1c and the consumer uses us-east-1a and us-east-1b, the response includes the VPC endpoint services in the common Availability Zone, us-east-1a.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServicesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceName + in: query + required: false + description: One or more service names. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: '

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

Constraint: If the value is greater than 1,000, we return only 1,000 items.

' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of items to return. (You received this token from a prior call.) + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcEndpointServices + operationId: POST_DescribeVpcEndpointServices + description: '

Describes available services to which you can create a VPC endpoint.

When the service provider and the consumer have different accounts in multiple Availability Zones, and the consumer views the VPC endpoint service information, the response only includes the common Availability Zones. For example, when the service provider account uses us-east-1a and us-east-1c and the consumer uses us-east-1a and us-east-1b, the response includes the VPC endpoint services in the common Availability Zone, us-east-1a.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServicesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointServicesRequest' + parameters: [] + /?Action=DescribeVpcEndpoints&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcEndpoints + operationId: GET_DescribeVpcEndpoints + description: Describes one or more of your VPC endpoints. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcEndpointId + in: query + required: false + description: One or more endpoint IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - xml: + name: item + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: '

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

Constraint: If the value is greater than 1,000, we return only 1,000 items.

' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of items to return. (You received this token from a prior call.) + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcEndpoints + operationId: POST_DescribeVpcEndpoints + description: Describes one or more of your VPC endpoints. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcEndpointsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcPeeringConnections&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcPeeringConnections + operationId: GET_DescribeVpcPeeringConnections + description: Describes one or more of your VPC peering connections. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcPeeringConnectionsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcPeeringConnectionId + in: query + required: false + description: '

One or more VPC peering connection IDs.

Default: Describes all your VPC peering connections.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionId' + - xml: + name: item + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcPeeringConnections + operationId: POST_DescribeVpcPeeringConnections + description: Describes one or more of your VPC peering connections. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcPeeringConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcPeeringConnectionsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpcs&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpcs + operationId: GET_DescribeVpcs + description: Describes one or more of your VPCs. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: VpcId + in: query + required: false + description: '

One or more VPC IDs.

Default: Describes all your VPCs.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcId' + - xml: + name: VpcId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpcs + operationId: POST_DescribeVpcs + description: Describes one or more of your VPCs. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpcsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=DescribeVpnConnections&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpnConnections + operationId: GET_DescribeVpnConnections + description: '

Describes one or more of your VPN connections.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpnConnectionsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: VpnConnectionId + in: query + required: false + description: '

One or more VPN connection IDs.

Default: Describes your VPN connections.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnConnectionId' + - xml: + name: VpnConnectionId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpnConnections + operationId: POST_DescribeVpnConnections + description: '

Describes one or more of your VPN connections.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpnConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpnConnectionsRequest' + parameters: [] + /?Action=DescribeVpnGateways&Version=2016-11-15: + get: + x-aws-operation-name: DescribeVpnGateways + operationId: GET_DescribeVpnGateways + description: '

Describes one or more of your virtual private gateways.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpnGatewaysResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: VpnGatewayId + in: query + required: false + description: '

One or more virtual private gateway IDs.

Default: Describes all your virtual private gateways.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnGatewayId' + - xml: + name: VpnGatewayId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVpnGateways + operationId: POST_DescribeVpnGateways + description: '

Describes one or more of your virtual private gateways.

For more information, see Amazon Web Services Site-to-Site VPN in the Amazon Web Services Site-to-Site VPN User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpnGatewaysResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVpnGatewaysRequest' + parameters: [] + /?Action=DetachClassicLinkVpc&Version=2016-11-15: + get: + x-aws-operation-name: DetachClassicLinkVpc + operationId: GET_DetachClassicLinkVpc + description: 'Unlinks (detaches) a linked EC2-Classic instance from a VPC. After the instance has been unlinked, the VPC security groups are no longer associated with it. An instance is automatically unlinked from a VPC when it''s stopped.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachClassicLinkVpcResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance to unlink from the VPC. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC to which the instance is linked. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DetachClassicLinkVpc + operationId: POST_DetachClassicLinkVpc + description: 'Unlinks (detaches) a linked EC2-Classic instance from a VPC. After the instance has been unlinked, the VPC security groups are no longer associated with it. An instance is automatically unlinked from a VPC when it''s stopped.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachClassicLinkVpcResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachClassicLinkVpcRequest' + parameters: [] + /?Action=DetachInternetGateway&Version=2016-11-15: + get: + x-aws-operation-name: DetachInternetGateway + operationId: GET_DetachInternetGateway + description: 'Detaches an internet gateway from a VPC, disabling connectivity between the internet and the VPC. The VPC must not contain any running instances with Elastic IP addresses or public IPv4 addresses.' + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InternetGatewayId + in: query + required: true + description: The ID of the internet gateway. + schema: + type: string + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DetachInternetGateway + operationId: POST_DetachInternetGateway + description: 'Detaches an internet gateway from a VPC, disabling connectivity between the internet and the VPC. The VPC must not contain any running instances with Elastic IP addresses or public IPv4 addresses.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachInternetGatewayRequest' + parameters: [] + /?Action=DetachNetworkInterface&Version=2016-11-15: + get: + x-aws-operation-name: DetachNetworkInterface + operationId: GET_DetachNetworkInterface + description: Detaches a network interface from an instance. + responses: + '200': + description: Success + parameters: + - name: AttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Force + in: query + required: false + description: '

Specifies whether to force a detachment.

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DetachNetworkInterface + operationId: POST_DetachNetworkInterface + description: Detaches a network interface from an instance. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachNetworkInterfaceRequest' + parameters: [] + /?Action=DetachVolume&Version=2016-11-15: + get: + x-aws-operation-name: DetachVolume + operationId: GET_DetachVolume + description: '

Detaches an EBS volume from an instance. Make sure to unmount any file systems on the device within your operating system before detaching the volume. Failure to do so can result in the volume becoming stuck in the busy state while detaching. If this happens, detachment can be delayed indefinitely until you unmount the volume, force detachment, reboot the instance, or all three. If an EBS volume is the root device of an instance, it can''t be detached while the instance is running. To detach the root volume, stop the instance first.

When a volume with an Amazon Web Services Marketplace product code is detached from an instance, the product code is no longer associated with the instance.

For more information, see Detach an Amazon EBS volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/VolumeAttachment' + parameters: + - name: Device + in: query + required: false + description: The device name. + schema: + type: string + - name: Force + in: query + required: false + description: 'Forces detachment if the previous detachment attempt did not occur cleanly (for example, logging into an instance, unmounting the volume, and detaching normally). This option can lead to data loss or a corrupted file system. Use this option only as a last resort to detach a volume from a failed instance. The instance won''t have an opportunity to flush file system caches or file system metadata. If you use this option, you must perform file system check and repair procedures.' + schema: + type: boolean + - name: InstanceId + in: query + required: false + description: 'The ID of the instance. If you are detaching a Multi-Attach enabled volume, you must specify an instance ID.' + schema: + type: string + - name: VolumeId + in: query + required: true + description: The ID of the volume. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DetachVolume + operationId: POST_DetachVolume + description: '

Detaches an EBS volume from an instance. Make sure to unmount any file systems on the device within your operating system before detaching the volume. Failure to do so can result in the volume becoming stuck in the busy state while detaching. If this happens, detachment can be delayed indefinitely until you unmount the volume, force detachment, reboot the instance, or all three. If an EBS volume is the root device of an instance, it can''t be detached while the instance is running. To detach the root volume, stop the instance first.

When a volume with an Amazon Web Services Marketplace product code is detached from an instance, the product code is no longer associated with the instance.

For more information, see Detach an Amazon EBS volume in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/VolumeAttachment' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachVolumeRequest' + parameters: [] + /?Action=DetachVpnGateway&Version=2016-11-15: + get: + x-aws-operation-name: DetachVpnGateway + operationId: GET_DetachVpnGateway + description:

Detaches a virtual private gateway from a VPC. You do this if you're planning to turn off the VPC and not use it anymore. You can confirm a virtual private gateway has been completely detached from a VPC by describing the virtual private gateway (any attachments to the virtual private gateway are also described).

You must wait for the attachment's state to switch to detached before you can delete the VPC or attach a different VPC to the virtual private gateway.

+ responses: + '200': + description: Success + parameters: + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: VpnGatewayId + in: query + required: true + description: The ID of the virtual private gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DetachVpnGateway + operationId: POST_DetachVpnGateway + description:

Detaches a virtual private gateway from a VPC. You do this if you're planning to turn off the VPC and not use it anymore. You can confirm a virtual private gateway has been completely detached from a VPC by describing the virtual private gateway (any attachments to the virtual private gateway are also described).

You must wait for the attachment's state to switch to detached before you can delete the VPC or attach a different VPC to the virtual private gateway.

+ responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DetachVpnGatewayRequest' + parameters: [] + /?Action=DisableEbsEncryptionByDefault&Version=2016-11-15: + get: + x-aws-operation-name: DisableEbsEncryptionByDefault + operationId: GET_DisableEbsEncryptionByDefault + description: '

Disables EBS encryption by default for your account in the current Region.

After you disable encryption by default, you can still create encrypted volumes by enabling encryption when you create each volume.

Disabling encryption by default does not change the encryption status of your existing volumes.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableEbsEncryptionByDefaultResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableEbsEncryptionByDefault + operationId: POST_DisableEbsEncryptionByDefault + description: '

Disables EBS encryption by default for your account in the current Region.

After you disable encryption by default, you can still create encrypted volumes by enabling encryption when you create each volume.

Disabling encryption by default does not change the encryption status of your existing volumes.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableEbsEncryptionByDefaultResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableEbsEncryptionByDefaultRequest' + parameters: [] + /?Action=DisableFastLaunch&Version=2016-11-15: + get: + x-aws-operation-name: DisableFastLaunch + operationId: GET_DisableFastLaunch + description: '

Discontinue faster launching for a Windows AMI, and clean up existing pre-provisioned snapshots. When you disable faster launching, the AMI uses the standard launch process for each instance. All pre-provisioned snapshots must be removed before you can enable faster launching again.

To change these settings, you must own the AMI.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableFastLaunchResult' + parameters: + - name: ImageId + in: query + required: true + description: 'The ID of the image for which you’re turning off faster launching, and removing pre-provisioned snapshots.' + schema: + type: string + - name: Force + in: query + required: false + description: Forces the image settings to turn off faster launching for your Windows AMI. This parameter overrides any errors that are encountered while cleaning up resources in your account. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableFastLaunch + operationId: POST_DisableFastLaunch + description: '

Discontinue faster launching for a Windows AMI, and clean up existing pre-provisioned snapshots. When you disable faster launching, the AMI uses the standard launch process for each instance. All pre-provisioned snapshots must be removed before you can enable faster launching again.

To change these settings, you must own the AMI.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableFastLaunchResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableFastLaunchRequest' + parameters: [] + /?Action=DisableFastSnapshotRestores&Version=2016-11-15: + get: + x-aws-operation-name: DisableFastSnapshotRestores + operationId: GET_DisableFastSnapshotRestores + description: Disables fast snapshot restores for the specified snapshots in the specified Availability Zones. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableFastSnapshotRestoresResult' + parameters: + - name: AvailabilityZone + in: query + required: true + description: 'One or more Availability Zones. For example, us-east-2a.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: AvailabilityZone + - name: SourceSnapshotId + in: query + required: true + description: 'The IDs of one or more snapshots. For example, snap-1234567890abcdef0.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - xml: + name: SnapshotId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableFastSnapshotRestores + operationId: POST_DisableFastSnapshotRestores + description: Disables fast snapshot restores for the specified snapshots in the specified Availability Zones. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableFastSnapshotRestoresResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableFastSnapshotRestoresRequest' + parameters: [] + /?Action=DisableImageDeprecation&Version=2016-11-15: + get: + x-aws-operation-name: DisableImageDeprecation + operationId: GET_DisableImageDeprecation + description: '

Cancels the deprecation of the specified AMI.

For more information, see Deprecate an AMI in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableImageDeprecationResult' + parameters: + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableImageDeprecation + operationId: POST_DisableImageDeprecation + description: '

Cancels the deprecation of the specified AMI.

For more information, see Deprecate an AMI in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableImageDeprecationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableImageDeprecationRequest' + parameters: [] + /?Action=DisableIpamOrganizationAdminAccount&Version=2016-11-15: + get: + x-aws-operation-name: DisableIpamOrganizationAdminAccount + operationId: GET_DisableIpamOrganizationAdminAccount + description: 'Disable the IPAM account. For more information, see Enable integration with Organizations in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableIpamOrganizationAdminAccountResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: DelegatedAdminAccountId + in: query + required: true + description: The Organizations member account ID that you want to disable as IPAM account. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableIpamOrganizationAdminAccount + operationId: POST_DisableIpamOrganizationAdminAccount + description: 'Disable the IPAM account. For more information, see Enable integration with Organizations in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableIpamOrganizationAdminAccountResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableIpamOrganizationAdminAccountRequest' + parameters: [] + /?Action=DisableSerialConsoleAccess&Version=2016-11-15: + get: + x-aws-operation-name: DisableSerialConsoleAccess + operationId: GET_DisableSerialConsoleAccess + description: 'Disables access to the EC2 serial console of all instances for your account. By default, access to the EC2 serial console is disabled for your account. For more information, see Manage account access to the EC2 serial console in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableSerialConsoleAccessResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableSerialConsoleAccess + operationId: POST_DisableSerialConsoleAccess + description: 'Disables access to the EC2 serial console of all instances for your account. By default, access to the EC2 serial console is disabled for your account. For more information, see Manage account access to the EC2 serial console in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableSerialConsoleAccessResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableSerialConsoleAccessRequest' + parameters: [] + /?Action=DisableTransitGatewayRouteTablePropagation&Version=2016-11-15: + get: + x-aws-operation-name: DisableTransitGatewayRouteTablePropagation + operationId: GET_DisableTransitGatewayRouteTablePropagation + description: Disables the specified resource attachment from propagating routes to the specified propagation route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableTransitGatewayRouteTablePropagationResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the propagation route table. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableTransitGatewayRouteTablePropagation + operationId: POST_DisableTransitGatewayRouteTablePropagation + description: Disables the specified resource attachment from propagating routes to the specified propagation route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableTransitGatewayRouteTablePropagationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableTransitGatewayRouteTablePropagationRequest' + parameters: [] + /?Action=DisableVgwRoutePropagation&Version=2016-11-15: + get: + x-aws-operation-name: DisableVgwRoutePropagation + operationId: GET_DisableVgwRoutePropagation + description: Disables a virtual private gateway (VGW) from propagating routes to a specified route table of a VPC. + responses: + '200': + description: Success + parameters: + - name: GatewayId + in: query + required: true + description: The ID of the virtual private gateway. + schema: + type: string + - name: RouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableVgwRoutePropagation + operationId: POST_DisableVgwRoutePropagation + description: Disables a virtual private gateway (VGW) from propagating routes to a specified route table of a VPC. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVgwRoutePropagationRequest' + parameters: [] + /?Action=DisableVpcClassicLink&Version=2016-11-15: + get: + x-aws-operation-name: DisableVpcClassicLink + operationId: GET_DisableVpcClassicLink + description: Disables ClassicLink for a VPC. You cannot disable ClassicLink for a VPC that has EC2-Classic instances linked to it. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVpcClassicLinkResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableVpcClassicLink + operationId: POST_DisableVpcClassicLink + description: Disables ClassicLink for a VPC. You cannot disable ClassicLink for a VPC that has EC2-Classic instances linked to it. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVpcClassicLinkResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVpcClassicLinkRequest' + parameters: [] + /?Action=DisableVpcClassicLinkDnsSupport&Version=2016-11-15: + get: + x-aws-operation-name: DisableVpcClassicLinkDnsSupport + operationId: GET_DisableVpcClassicLinkDnsSupport + description: '

Disables ClassicLink DNS support for a VPC. If disabled, DNS hostnames resolve to public IP addresses when addressed between a linked EC2-Classic instance and instances in the VPC to which it''s linked. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.

You must specify a VPC ID in the request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVpcClassicLinkDnsSupportResult' + parameters: + - name: VpcId + in: query + required: false + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisableVpcClassicLinkDnsSupport + operationId: POST_DisableVpcClassicLinkDnsSupport + description: '

Disables ClassicLink DNS support for a VPC. If disabled, DNS hostnames resolve to public IP addresses when addressed between a linked EC2-Classic instance and instances in the VPC to which it''s linked. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.

You must specify a VPC ID in the request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVpcClassicLinkDnsSupportResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisableVpcClassicLinkDnsSupportRequest' + parameters: [] + /?Action=DisassociateAddress&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateAddress + operationId: GET_DisassociateAddress + description: '

Disassociates an Elastic IP address from the instance or network interface it''s associated with.

An Elastic IP address is for use in either the EC2-Classic platform or in a VPC. For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn''t return an error.

' + responses: + '200': + description: Success + parameters: + - name: AssociationId + in: query + required: false + description: '[EC2-VPC] The association ID. Required for EC2-VPC.' + schema: + type: string + - name: PublicIp + in: query + required: false + description: '[EC2-Classic] The Elastic IP address. Required for EC2-Classic.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateAddress + operationId: POST_DisassociateAddress + description: '

Disassociates an Elastic IP address from the instance or network interface it''s associated with.

An Elastic IP address is for use in either the EC2-Classic platform or in a VPC. For more information, see Elastic IP Addresses in the Amazon Elastic Compute Cloud User Guide.

This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn''t return an error.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateAddressRequest' + parameters: [] + /?Action=DisassociateClientVpnTargetNetwork&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateClientVpnTargetNetwork + operationId: GET_DisassociateClientVpnTargetNetwork + description: '

Disassociates a target network from the specified Client VPN endpoint. When you disassociate the last target network from a Client VPN, the following happens:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateClientVpnTargetNetworkResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint from which to disassociate the target network. + schema: + type: string + - name: AssociationId + in: query + required: true + description: The ID of the target network association. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateClientVpnTargetNetwork + operationId: POST_DisassociateClientVpnTargetNetwork + description: '

Disassociates a target network from the specified Client VPN endpoint. When you disassociate the last target network from a Client VPN, the following happens:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateClientVpnTargetNetworkResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateClientVpnTargetNetworkRequest' + parameters: [] + /?Action=DisassociateEnclaveCertificateIamRole&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateEnclaveCertificateIamRole + operationId: GET_DisassociateEnclaveCertificateIamRole + description: 'Disassociates an IAM role from an Certificate Manager (ACM) certificate. Disassociating an IAM role from an ACM certificate removes the Amazon S3 object that contains the certificate, certificate chain, and encrypted private key from the Amazon S3 bucket. It also revokes the IAM role''s permission to use the KMS key used to encrypt the private key. This effectively revokes the role''s permission to use the certificate.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateEnclaveCertificateIamRoleResult' + parameters: + - name: CertificateArn + in: query + required: false + description: The ARN of the ACM certificate from which to disassociate the IAM role. + schema: + type: string + minLength: 1 + maxLength: 1283 + - name: RoleArn + in: query + required: false + description: The ARN of the IAM role to disassociate. + schema: + type: string + minLength: 1 + maxLength: 1283 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateEnclaveCertificateIamRole + operationId: POST_DisassociateEnclaveCertificateIamRole + description: 'Disassociates an IAM role from an Certificate Manager (ACM) certificate. Disassociating an IAM role from an ACM certificate removes the Amazon S3 object that contains the certificate, certificate chain, and encrypted private key from the Amazon S3 bucket. It also revokes the IAM role''s permission to use the KMS key used to encrypt the private key. This effectively revokes the role''s permission to use the certificate.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateEnclaveCertificateIamRoleResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateEnclaveCertificateIamRoleRequest' + parameters: [] + /?Action=DisassociateIamInstanceProfile&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateIamInstanceProfile + operationId: GET_DisassociateIamInstanceProfile + description:

Disassociates an IAM instance profile from a running or stopped instance.

Use DescribeIamInstanceProfileAssociations to get the association ID.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateIamInstanceProfileResult' + parameters: + - name: AssociationId + in: query + required: true + description: The ID of the IAM instance profile association. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateIamInstanceProfile + operationId: POST_DisassociateIamInstanceProfile + description:

Disassociates an IAM instance profile from a running or stopped instance.

Use DescribeIamInstanceProfileAssociations to get the association ID.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateIamInstanceProfileResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateIamInstanceProfileRequest' + parameters: [] + /?Action=DisassociateInstanceEventWindow&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateInstanceEventWindow + operationId: GET_DisassociateInstanceEventWindow + description: '

Disassociates one or more targets from an event window.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateInstanceEventWindowResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceEventWindowId + in: query + required: true + description: The ID of the event window. + schema: + type: string + - name: AssociationTarget + in: query + required: true + description: One or more targets to disassociate from the specified event window. + schema: + type: object + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdList' + - description: The IDs of the instances to disassociate from the event window. + InstanceTag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The instance tags to disassociate from the event window. Any instances associated with the tags will be disassociated from the event window. + DedicatedHostId: + allOf: + - $ref: '#/components/schemas/DedicatedHostIdList' + - description: The IDs of the Dedicated Hosts to disassociate from the event window. + description: The targets to disassociate from the specified event window. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateInstanceEventWindow + operationId: POST_DisassociateInstanceEventWindow + description: '

Disassociates one or more targets from an event window.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateInstanceEventWindowResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateInstanceEventWindowRequest' + parameters: [] + /?Action=DisassociateRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateRouteTable + operationId: GET_DisassociateRouteTable + description: '

Disassociates a subnet or gateway from a route table.

After you perform this action, the subnet no longer uses the routes in the route table. Instead, it uses the routes in the VPC''s main route table. For more information about route tables, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: AssociationId + in: query + required: true + description: The association ID representing the current association between the route table and subnet or gateway. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateRouteTable + operationId: POST_DisassociateRouteTable + description: '

Disassociates a subnet or gateway from a route table.

After you perform this action, the subnet no longer uses the routes in the route table. Instead, it uses the routes in the VPC''s main route table. For more information about route tables, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateRouteTableRequest' + parameters: [] + /?Action=DisassociateSubnetCidrBlock&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateSubnetCidrBlock + operationId: GET_DisassociateSubnetCidrBlock + description: 'Disassociates a CIDR block from a subnet. Currently, you can disassociate an IPv6 CIDR block only. You must detach or delete all gateways and resources that are associated with the CIDR block before you can disassociate it. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateSubnetCidrBlockResult' + parameters: + - name: AssociationId + in: query + required: true + description: The association ID for the CIDR block. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateSubnetCidrBlock + operationId: POST_DisassociateSubnetCidrBlock + description: 'Disassociates a CIDR block from a subnet. Currently, you can disassociate an IPv6 CIDR block only. You must detach or delete all gateways and resources that are associated with the CIDR block before you can disassociate it. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateSubnetCidrBlockResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateSubnetCidrBlockRequest' + parameters: [] + /?Action=DisassociateTransitGatewayMulticastDomain&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateTransitGatewayMulticastDomain + operationId: GET_DisassociateTransitGatewayMulticastDomain + description: 'Disassociates the specified subnets from the transit gateway multicast domain. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTransitGatewayMulticastDomainResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the attachment. + schema: + type: string + - name: SubnetIds + in: query + required: false + description: The IDs of the subnets; + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateTransitGatewayMulticastDomain + operationId: POST_DisassociateTransitGatewayMulticastDomain + description: 'Disassociates the specified subnets from the transit gateway multicast domain. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTransitGatewayMulticastDomainResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTransitGatewayMulticastDomainRequest' + parameters: [] + /?Action=DisassociateTransitGatewayRouteTable&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateTransitGatewayRouteTable + operationId: GET_DisassociateTransitGatewayRouteTable + description: Disassociates a resource attachment from a transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTransitGatewayRouteTableResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateTransitGatewayRouteTable + operationId: POST_DisassociateTransitGatewayRouteTable + description: Disassociates a resource attachment from a transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTransitGatewayRouteTableResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTransitGatewayRouteTableRequest' + parameters: [] + /?Action=DisassociateTrunkInterface&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateTrunkInterface + operationId: GET_DisassociateTrunkInterface + description: '

This API action is currently in limited preview only. If you are interested in using this feature, contact your account manager.

Removes an association between a branch network interface with a trunk network interface.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTrunkInterfaceResult' + parameters: + - name: AssociationId + in: query + required: true + description: The ID of the association + schema: + type: string + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to Ensure Idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateTrunkInterface + operationId: POST_DisassociateTrunkInterface + description: '

This API action is currently in limited preview only. If you are interested in using this feature, contact your account manager.

Removes an association between a branch network interface with a trunk network interface.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTrunkInterfaceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateTrunkInterfaceRequest' + parameters: [] + /?Action=DisassociateVpcCidrBlock&Version=2016-11-15: + get: + x-aws-operation-name: DisassociateVpcCidrBlock + operationId: GET_DisassociateVpcCidrBlock + description: '

Disassociates a CIDR block from a VPC. To disassociate the CIDR block, you must specify its association ID. You can get the association ID by using DescribeVpcs. You must detach or delete all gateways and resources that are associated with the CIDR block before you can disassociate it.

You cannot disassociate the CIDR block with which you originally created the VPC (the primary CIDR block).

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateVpcCidrBlockResult' + parameters: + - name: AssociationId + in: query + required: true + description: The association ID for the CIDR block. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DisassociateVpcCidrBlock + operationId: POST_DisassociateVpcCidrBlock + description: '

Disassociates a CIDR block from a VPC. To disassociate the CIDR block, you must specify its association ID. You can get the association ID by using DescribeVpcs. You must detach or delete all gateways and resources that are associated with the CIDR block before you can disassociate it.

You cannot disassociate the CIDR block with which you originally created the VPC (the primary CIDR block).

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateVpcCidrBlockResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DisassociateVpcCidrBlockRequest' + parameters: [] + /?Action=EnableEbsEncryptionByDefault&Version=2016-11-15: + get: + x-aws-operation-name: EnableEbsEncryptionByDefault + operationId: GET_EnableEbsEncryptionByDefault + description: '

Enables EBS encryption by default for your account in the current Region.

After you enable encryption by default, the EBS volumes that you create are always encrypted, either using the default KMS key or the KMS key that you specified when you created each volume. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

You can specify the default KMS key for encryption by default using ModifyEbsDefaultKmsKeyId or ResetEbsDefaultKmsKeyId.

Enabling encryption by default has no effect on the encryption status of your existing volumes.

After you enable encryption by default, you can no longer launch instances using instance types that do not support encryption. For more information, see Supported instance types.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableEbsEncryptionByDefaultResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableEbsEncryptionByDefault + operationId: POST_EnableEbsEncryptionByDefault + description: '

Enables EBS encryption by default for your account in the current Region.

After you enable encryption by default, the EBS volumes that you create are always encrypted, either using the default KMS key or the KMS key that you specified when you created each volume. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

You can specify the default KMS key for encryption by default using ModifyEbsDefaultKmsKeyId or ResetEbsDefaultKmsKeyId.

Enabling encryption by default has no effect on the encryption status of your existing volumes.

After you enable encryption by default, you can no longer launch instances using instance types that do not support encryption. For more information, see Supported instance types.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableEbsEncryptionByDefaultResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableEbsEncryptionByDefaultRequest' + parameters: [] + /?Action=EnableFastLaunch&Version=2016-11-15: + get: + x-aws-operation-name: EnableFastLaunch + operationId: GET_EnableFastLaunch + description: '

When you enable faster launching for a Windows AMI, images are pre-provisioned, using snapshots to launch instances up to 65% faster. To create the optimized Windows image, Amazon EC2 launches an instance and runs through Sysprep steps, rebooting as required. Then it creates a set of reserved snapshots that are used for subsequent launches. The reserved snapshots are automatically replenished as they are used, depending on your settings for launch frequency.

To change these settings, you must own the AMI.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableFastLaunchResult' + parameters: + - name: ImageId + in: query + required: true + description: The ID of the image for which you’re enabling faster launching. + schema: + type: string + - name: ResourceType + in: query + required: false + description: 'The type of resource to use for pre-provisioning the Windows AMI for faster launching. Supported values include: snapshot, which is the default value.' + schema: + type: string + - name: SnapshotConfiguration + in: query + required: false + description: Configuration settings for creating and managing the snapshots that are used for pre-provisioning the Windows AMI for faster launching. The associated ResourceType must be snapshot. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of pre-provisioned snapshots to keep on hand for a fast-launch enabled Windows AMI. + description: Configuration settings for creating and managing pre-provisioned snapshots for a fast-launch enabled Windows AMI. + - name: LaunchTemplate + in: query + required: false + description: 'The launch template to use when launching Windows instances from pre-provisioned snapshots. Launch template parameters can include either the name or ID of the launch template, but not both.' + schema: + type: object + required: + - Version + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The version of the launch template to use for faster launching for a Windows AMI. + description: '

Request to create a launch template for a fast-launch enabled Windows AMI.

Note - You can specify either the LaunchTemplateName or the LaunchTemplateId, but not both.

' + - name: MaxParallelLaunches + in: query + required: false + description: 'The maximum number of parallel instances to launch for creating resources. Value must be 6 or greater. ' + schema: + type: integer + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableFastLaunch + operationId: POST_EnableFastLaunch + description: '

When you enable faster launching for a Windows AMI, images are pre-provisioned, using snapshots to launch instances up to 65% faster. To create the optimized Windows image, Amazon EC2 launches an instance and runs through Sysprep steps, rebooting as required. Then it creates a set of reserved snapshots that are used for subsequent launches. The reserved snapshots are automatically replenished as they are used, depending on your settings for launch frequency.

To change these settings, you must own the AMI.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableFastLaunchResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableFastLaunchRequest' + parameters: [] + /?Action=EnableFastSnapshotRestores&Version=2016-11-15: + get: + x-aws-operation-name: EnableFastSnapshotRestores + operationId: GET_EnableFastSnapshotRestores + description: '

Enables fast snapshot restores for the specified snapshots in the specified Availability Zones.

You get the full benefit of fast snapshot restores after they enter the enabled state. To get the current state of fast snapshot restores, use DescribeFastSnapshotRestores. To disable fast snapshot restores, use DisableFastSnapshotRestores.

For more information, see Amazon EBS fast snapshot restore in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableFastSnapshotRestoresResult' + parameters: + - name: AvailabilityZone + in: query + required: true + description: 'One or more Availability Zones. For example, us-east-2a.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: AvailabilityZone + - name: SourceSnapshotId + in: query + required: true + description: 'The IDs of one or more snapshots. For example, snap-1234567890abcdef0. You can specify a snapshot that was shared with you from another Amazon Web Services account.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - xml: + name: SnapshotId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableFastSnapshotRestores + operationId: POST_EnableFastSnapshotRestores + description: '

Enables fast snapshot restores for the specified snapshots in the specified Availability Zones.

You get the full benefit of fast snapshot restores after they enter the enabled state. To get the current state of fast snapshot restores, use DescribeFastSnapshotRestores. To disable fast snapshot restores, use DisableFastSnapshotRestores.

For more information, see Amazon EBS fast snapshot restore in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableFastSnapshotRestoresResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableFastSnapshotRestoresRequest' + parameters: [] + /?Action=EnableImageDeprecation&Version=2016-11-15: + get: + x-aws-operation-name: EnableImageDeprecation + operationId: GET_EnableImageDeprecation + description: '

Enables deprecation of the specified AMI at the specified date and time.

For more information, see Deprecate an AMI in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableImageDeprecationResult' + parameters: + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: DeprecateAt + in: query + required: true + description: '

The date and time to deprecate the AMI, in UTC, in the following format: YYYY-MM-DDTHH:MM:SSZ. If you specify a value for seconds, Amazon EC2 rounds the seconds to the nearest minute.

You can’t specify a date in the past. The upper limit for DeprecateAt is 10 years from now.

' + schema: + type: string + format: date-time + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableImageDeprecation + operationId: POST_EnableImageDeprecation + description: '

Enables deprecation of the specified AMI at the specified date and time.

For more information, see Deprecate an AMI in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableImageDeprecationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableImageDeprecationRequest' + parameters: [] + /?Action=EnableIpamOrganizationAdminAccount&Version=2016-11-15: + get: + x-aws-operation-name: EnableIpamOrganizationAdminAccount + operationId: GET_EnableIpamOrganizationAdminAccount + description: 'Enable an Organizations member account as the IPAM admin account. You cannot select the Organizations management account as the IPAM admin account. For more information, see Enable integration with Organizations in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableIpamOrganizationAdminAccountResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: DelegatedAdminAccountId + in: query + required: true + description: The Organizations member account ID that you want to enable as the IPAM account. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableIpamOrganizationAdminAccount + operationId: POST_EnableIpamOrganizationAdminAccount + description: 'Enable an Organizations member account as the IPAM admin account. You cannot select the Organizations management account as the IPAM admin account. For more information, see Enable integration with Organizations in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableIpamOrganizationAdminAccountResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableIpamOrganizationAdminAccountRequest' + parameters: [] + /?Action=EnableSerialConsoleAccess&Version=2016-11-15: + get: + x-aws-operation-name: EnableSerialConsoleAccess + operationId: GET_EnableSerialConsoleAccess + description: 'Enables access to the EC2 serial console of all instances for your account. By default, access to the EC2 serial console is disabled for your account. For more information, see Manage account access to the EC2 serial console in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableSerialConsoleAccessResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableSerialConsoleAccess + operationId: POST_EnableSerialConsoleAccess + description: 'Enables access to the EC2 serial console of all instances for your account. By default, access to the EC2 serial console is disabled for your account. For more information, see Manage account access to the EC2 serial console in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableSerialConsoleAccessResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableSerialConsoleAccessRequest' + parameters: [] + /?Action=EnableTransitGatewayRouteTablePropagation&Version=2016-11-15: + get: + x-aws-operation-name: EnableTransitGatewayRouteTablePropagation + operationId: GET_EnableTransitGatewayRouteTablePropagation + description: Enables the specified attachment to propagate routes to the specified propagation route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableTransitGatewayRouteTablePropagationResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the propagation route table. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableTransitGatewayRouteTablePropagation + operationId: POST_EnableTransitGatewayRouteTablePropagation + description: Enables the specified attachment to propagate routes to the specified propagation route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableTransitGatewayRouteTablePropagationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableTransitGatewayRouteTablePropagationRequest' + parameters: [] + /?Action=EnableVgwRoutePropagation&Version=2016-11-15: + get: + x-aws-operation-name: EnableVgwRoutePropagation + operationId: GET_EnableVgwRoutePropagation + description: Enables a virtual private gateway (VGW) to propagate routes to the specified route table of a VPC. + responses: + '200': + description: Success + parameters: + - name: GatewayId + in: query + required: true + description: 'The ID of the virtual private gateway that is attached to a VPC. The virtual private gateway must be attached to the same VPC that the routing tables are associated with. ' + schema: + type: string + - name: RouteTableId + in: query + required: true + description: 'The ID of the route table. The routing table must be associated with the same VPC that the virtual private gateway is attached to. ' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableVgwRoutePropagation + operationId: POST_EnableVgwRoutePropagation + description: Enables a virtual private gateway (VGW) to propagate routes to the specified route table of a VPC. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVgwRoutePropagationRequest' + parameters: [] + /?Action=EnableVolumeIO&Version=2016-11-15: + get: + x-aws-operation-name: EnableVolumeIO + operationId: GET_EnableVolumeIO + description: Enables I/O operations for a volume that had I/O operations disabled because the data on the volume was potentially inconsistent. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VolumeId + in: query + required: true + description: The ID of the volume. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableVolumeIO + operationId: POST_EnableVolumeIO + description: Enables I/O operations for a volume that had I/O operations disabled because the data on the volume was potentially inconsistent. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVolumeIORequest' + parameters: [] + /?Action=EnableVpcClassicLink&Version=2016-11-15: + get: + x-aws-operation-name: EnableVpcClassicLink + operationId: GET_EnableVpcClassicLink + description: 'Enables a VPC for ClassicLink. You can then link EC2-Classic instances to your ClassicLink-enabled VPC to allow communication over private IP addresses. You cannot enable your VPC for ClassicLink if any of your VPC route tables have existing routes for address ranges within the 10.0.0.0/8 IP address range, excluding local routes for VPCs in the 10.0.0.0/16 and 10.1.0.0/16 IP address ranges. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVpcClassicLinkResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableVpcClassicLink + operationId: POST_EnableVpcClassicLink + description: 'Enables a VPC for ClassicLink. You can then link EC2-Classic instances to your ClassicLink-enabled VPC to allow communication over private IP addresses. You cannot enable your VPC for ClassicLink if any of your VPC route tables have existing routes for address ranges within the 10.0.0.0/8 IP address range, excluding local routes for VPCs in the 10.0.0.0/16 and 10.1.0.0/16 IP address ranges. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVpcClassicLinkResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVpcClassicLinkRequest' + parameters: [] + /?Action=EnableVpcClassicLinkDnsSupport&Version=2016-11-15: + get: + x-aws-operation-name: EnableVpcClassicLinkDnsSupport + operationId: GET_EnableVpcClassicLinkDnsSupport + description: '

Enables a VPC to support DNS hostname resolution for ClassicLink. If enabled, the DNS hostname of a linked EC2-Classic instance resolves to its private IP address when addressed from an instance in the VPC to which it''s linked. Similarly, the DNS hostname of an instance in a VPC resolves to its private IP address when addressed from a linked EC2-Classic instance. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.

You must specify a VPC ID in the request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVpcClassicLinkDnsSupportResult' + parameters: + - name: VpcId + in: query + required: false + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: EnableVpcClassicLinkDnsSupport + operationId: POST_EnableVpcClassicLinkDnsSupport + description: '

Enables a VPC to support DNS hostname resolution for ClassicLink. If enabled, the DNS hostname of a linked EC2-Classic instance resolves to its private IP address when addressed from an instance in the VPC to which it''s linked. Similarly, the DNS hostname of an instance in a VPC resolves to its private IP address when addressed from a linked EC2-Classic instance. For more information, see ClassicLink in the Amazon Elastic Compute Cloud User Guide.

You must specify a VPC ID in the request.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVpcClassicLinkDnsSupportResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/EnableVpcClassicLinkDnsSupportRequest' + parameters: [] + /?Action=ExportClientVpnClientCertificateRevocationList&Version=2016-11-15: + get: + x-aws-operation-name: ExportClientVpnClientCertificateRevocationList + operationId: GET_ExportClientVpnClientCertificateRevocationList + description: Downloads the client certificate revocation list for the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportClientVpnClientCertificateRevocationListResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ExportClientVpnClientCertificateRevocationList + operationId: POST_ExportClientVpnClientCertificateRevocationList + description: Downloads the client certificate revocation list for the specified Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportClientVpnClientCertificateRevocationListResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportClientVpnClientCertificateRevocationListRequest' + parameters: [] + /?Action=ExportClientVpnClientConfiguration&Version=2016-11-15: + get: + x-aws-operation-name: ExportClientVpnClientConfiguration + operationId: GET_ExportClientVpnClientConfiguration + description: Downloads the contents of the Client VPN endpoint configuration file for the specified Client VPN endpoint. The Client VPN endpoint configuration file includes the Client VPN endpoint and certificate information clients need to establish a connection with the Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportClientVpnClientConfigurationResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ExportClientVpnClientConfiguration + operationId: POST_ExportClientVpnClientConfiguration + description: Downloads the contents of the Client VPN endpoint configuration file for the specified Client VPN endpoint. The Client VPN endpoint configuration file includes the Client VPN endpoint and certificate information clients need to establish a connection with the Client VPN endpoint. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportClientVpnClientConfigurationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportClientVpnClientConfigurationRequest' + parameters: [] + /?Action=ExportImage&Version=2016-11-15: + get: + x-aws-operation-name: ExportImage + operationId: GET_ExportImage + description: 'Exports an Amazon Machine Image (AMI) to a VM file. For more information, see Exporting a VM directly from an Amazon Machine Image (AMI) in the VM Import/Export User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportImageResult' + parameters: + - name: ClientToken + in: query + required: false + description: Token to enable idempotency for export image requests. + schema: + type: string + - name: Description + in: query + required: false + description: A description of the image being exported. The maximum length is 255 characters. + schema: + type: string + - name: DiskImageFormat + in: query + required: true + description: The disk image format. + schema: + type: string + enum: + - VMDK + - RAW + - VHD + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ImageId + in: query + required: true + description: The ID of the image. + schema: + type: string + - name: S3ExportLocation + in: query + required: true + description: Information about the destination Amazon S3 bucket. The bucket must exist and grant WRITE and READ_ACP permissions to the Amazon Web Services account vm-import-export@amazon.com. + schema: + type: object + required: + - S3Bucket + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix (logical hierarchy) in the bucket. + description: Describes the destination for an export image task. + - name: RoleName + in: query + required: false + description: 'The name of the role that grants VM Import/Export permission to export images to your Amazon S3 bucket. If this parameter is not specified, the default role is named ''vmimport''.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the export image task during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ExportImage + operationId: POST_ExportImage + description: 'Exports an Amazon Machine Image (AMI) to a VM file. For more information, see Exporting a VM directly from an Amazon Machine Image (AMI) in the VM Import/Export User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportImageRequest' + parameters: [] + /?Action=ExportTransitGatewayRoutes&Version=2016-11-15: + get: + x-aws-operation-name: ExportTransitGatewayRoutes + operationId: GET_ExportTransitGatewayRoutes + description: '

Exports routes from the specified transit gateway route table to the specified S3 bucket. By default, all routes are exported. Alternatively, you can filter by CIDR range.

The routes are saved to the specified bucket in a JSON file. For more information, see Export Route Tables to Amazon S3 in Transit Gateways.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportTransitGatewayRoutesResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: S3Bucket + in: query + required: true + description: The name of the S3 bucket. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ExportTransitGatewayRoutes + operationId: POST_ExportTransitGatewayRoutes + description: '

Exports routes from the specified transit gateway route table to the specified S3 bucket. By default, all routes are exported. Alternatively, you can filter by CIDR range.

The routes are saved to the specified bucket in a JSON file. For more information, see Export Route Tables to Amazon S3 in Transit Gateways.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportTransitGatewayRoutesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ExportTransitGatewayRoutesRequest' + parameters: [] + /?Action=GetAssociatedEnclaveCertificateIamRoles&Version=2016-11-15: + get: + x-aws-operation-name: GetAssociatedEnclaveCertificateIamRoles + operationId: GET_GetAssociatedEnclaveCertificateIamRoles + description: 'Returns the IAM roles that are associated with the specified ACM (ACM) certificate. It also returns the name of the Amazon S3 bucket and the Amazon S3 object key where the certificate, certificate chain, and encrypted private key bundle are stored, and the ARN of the KMS key that''s used to encrypt the private key.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetAssociatedEnclaveCertificateIamRolesResult' + parameters: + - name: CertificateArn + in: query + required: false + description: 'The ARN of the ACM certificate for which to view the associated IAM roles, encryption keys, and Amazon S3 object information.' + schema: + type: string + minLength: 1 + maxLength: 1283 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetAssociatedEnclaveCertificateIamRoles + operationId: POST_GetAssociatedEnclaveCertificateIamRoles + description: 'Returns the IAM roles that are associated with the specified ACM (ACM) certificate. It also returns the name of the Amazon S3 bucket and the Amazon S3 object key where the certificate, certificate chain, and encrypted private key bundle are stored, and the ARN of the KMS key that''s used to encrypt the private key.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetAssociatedEnclaveCertificateIamRolesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetAssociatedEnclaveCertificateIamRolesRequest' + parameters: [] + /?Action=GetAssociatedIpv6PoolCidrs&Version=2016-11-15: + get: + x-aws-operation-name: GetAssociatedIpv6PoolCidrs + operationId: GET_GetAssociatedIpv6PoolCidrs + description: Gets information about the IPv6 CIDR block associations for a specified IPv6 address pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetAssociatedIpv6PoolCidrsResult' + parameters: + - name: PoolId + in: query + required: true + description: The ID of the IPv6 address pool. + schema: + type: string + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetAssociatedIpv6PoolCidrs + operationId: POST_GetAssociatedIpv6PoolCidrs + description: Gets information about the IPv6 CIDR block associations for a specified IPv6 address pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetAssociatedIpv6PoolCidrsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetAssociatedIpv6PoolCidrsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetCapacityReservationUsage&Version=2016-11-15: + get: + x-aws-operation-name: GetCapacityReservationUsage + operationId: GET_GetCapacityReservationUsage + description: 'Gets usage information about a Capacity Reservation. If the Capacity Reservation is shared, it shows usage information for the Capacity Reservation owner and each Amazon Web Services account that is currently using the shared capacity. If the Capacity Reservation is not shared, it shows only the Capacity Reservation owner''s usage.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetCapacityReservationUsageResult' + parameters: + - name: CapacityReservationId + in: query + required: true + description: The ID of the Capacity Reservation. + schema: + type: string + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: '

The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.

Valid range: Minimum value of 1. Maximum value of 1000.

' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetCapacityReservationUsage + operationId: POST_GetCapacityReservationUsage + description: 'Gets usage information about a Capacity Reservation. If the Capacity Reservation is shared, it shows usage information for the Capacity Reservation owner and each Amazon Web Services account that is currently using the shared capacity. If the Capacity Reservation is not shared, it shows only the Capacity Reservation owner''s usage.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetCapacityReservationUsageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetCapacityReservationUsageRequest' + parameters: [] + /?Action=GetCoipPoolUsage&Version=2016-11-15: + get: + x-aws-operation-name: GetCoipPoolUsage + operationId: GET_GetCoipPoolUsage + description: Describes the allocations from the specified customer-owned address pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetCoipPoolUsageResult' + parameters: + - name: PoolId + in: query + required: true + description: The ID of the address pool. + schema: + type: string + - name: Filter + in: query + required: false + description:

One or more filters.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetCoipPoolUsage + operationId: POST_GetCoipPoolUsage + description: Describes the allocations from the specified customer-owned address pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetCoipPoolUsageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetCoipPoolUsageRequest' + parameters: [] + /?Action=GetConsoleOutput&Version=2016-11-15: + get: + x-aws-operation-name: GetConsoleOutput + operationId: GET_GetConsoleOutput + description: '

Gets the console output for the specified instance. For Linux instances, the instance console output displays the exact console output that would normally be displayed on a physical monitor attached to a computer. For Windows instances, the instance console output includes the last three system event log errors.

By default, the console output returns buffered information that was posted shortly after an instance transition state (start, stop, reboot, or terminate). This information is available for at least one hour after the most recent post. Only the most recent 64 KB of console output is available.

You can optionally retrieve the latest serial console output at any time during the instance lifecycle. This option is supported on instance types that use the Nitro hypervisor.

For more information, see Instance console output in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetConsoleOutputResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Latest + in: query + required: false + description: '

When enabled, retrieves the latest console output for the instance.

Default: disabled (false)

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetConsoleOutput + operationId: POST_GetConsoleOutput + description: '

Gets the console output for the specified instance. For Linux instances, the instance console output displays the exact console output that would normally be displayed on a physical monitor attached to a computer. For Windows instances, the instance console output includes the last three system event log errors.

By default, the console output returns buffered information that was posted shortly after an instance transition state (start, stop, reboot, or terminate). This information is available for at least one hour after the most recent post. Only the most recent 64 KB of console output is available.

You can optionally retrieve the latest serial console output at any time during the instance lifecycle. This option is supported on instance types that use the Nitro hypervisor.

For more information, see Instance console output in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetConsoleOutputResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetConsoleOutputRequest' + parameters: [] + /?Action=GetConsoleScreenshot&Version=2016-11-15: + get: + x-aws-operation-name: GetConsoleScreenshot + operationId: GET_GetConsoleScreenshot + description:

Retrieve a JPG-format screenshot of a running instance to help with troubleshooting.

The returned content is Base64-encoded.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetConsoleScreenshotResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: WakeUp + in: query + required: false + description: 'When set to true, acts as keystroke input and wakes up an instance that''s in standby or "sleep" mode.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetConsoleScreenshot + operationId: POST_GetConsoleScreenshot + description:

Retrieve a JPG-format screenshot of a running instance to help with troubleshooting.

The returned content is Base64-encoded.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetConsoleScreenshotResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetConsoleScreenshotRequest' + parameters: [] + /?Action=GetDefaultCreditSpecification&Version=2016-11-15: + get: + x-aws-operation-name: GetDefaultCreditSpecification + operationId: GET_GetDefaultCreditSpecification + description: '

Describes the default credit option for CPU usage of a burstable performance instance family.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetDefaultCreditSpecificationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceFamily + in: query + required: true + description: The instance family. + schema: + type: string + enum: + - t2 + - t3 + - t3a + - t4g + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetDefaultCreditSpecification + operationId: POST_GetDefaultCreditSpecification + description: '

Describes the default credit option for CPU usage of a burstable performance instance family.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetDefaultCreditSpecificationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetDefaultCreditSpecificationRequest' + parameters: [] + /?Action=GetEbsDefaultKmsKeyId&Version=2016-11-15: + get: + x-aws-operation-name: GetEbsDefaultKmsKeyId + operationId: GET_GetEbsDefaultKmsKeyId + description: '

Describes the default KMS key for EBS encryption by default for your account in this Region. You can change the default KMS key for encryption by default using ModifyEbsDefaultKmsKeyId or ResetEbsDefaultKmsKeyId.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetEbsDefaultKmsKeyIdResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetEbsDefaultKmsKeyId + operationId: POST_GetEbsDefaultKmsKeyId + description: '

Describes the default KMS key for EBS encryption by default for your account in this Region. You can change the default KMS key for encryption by default using ModifyEbsDefaultKmsKeyId or ResetEbsDefaultKmsKeyId.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetEbsDefaultKmsKeyIdResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetEbsDefaultKmsKeyIdRequest' + parameters: [] + /?Action=GetEbsEncryptionByDefault&Version=2016-11-15: + get: + x-aws-operation-name: GetEbsEncryptionByDefault + operationId: GET_GetEbsEncryptionByDefault + description: '

Describes whether EBS encryption by default is enabled for your account in the current Region.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetEbsEncryptionByDefaultResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetEbsEncryptionByDefault + operationId: POST_GetEbsEncryptionByDefault + description: '

Describes whether EBS encryption by default is enabled for your account in the current Region.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetEbsEncryptionByDefaultResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetEbsEncryptionByDefaultRequest' + parameters: [] + /?Action=GetFlowLogsIntegrationTemplate&Version=2016-11-15: + get: + x-aws-operation-name: GetFlowLogsIntegrationTemplate + operationId: GET_GetFlowLogsIntegrationTemplate + description: '

Generates a CloudFormation template that streamlines and automates the integration of VPC flow logs with Amazon Athena. This make it easier for you to query and gain insights from VPC flow logs data. Based on the information that you provide, we configure resources in the template to do the following:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetFlowLogsIntegrationTemplateResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FlowLogId + in: query + required: true + description: The ID of the flow log. + schema: + type: string + - name: ConfigDeliveryS3DestinationArn + in: query + required: true + description: 'To store the CloudFormation template in Amazon S3, specify the location in Amazon S3.' + schema: + type: string + - name: IntegrateService + in: query + required: true + description: Information about the service integration. + schema: + type: object + properties: + AthenaIntegration: + allOf: + - $ref: '#/components/schemas/AthenaIntegrationsSet' + - description: Information about the integration with Amazon Athena. + description: Describes service integrations with VPC Flow logs. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetFlowLogsIntegrationTemplate + operationId: POST_GetFlowLogsIntegrationTemplate + description: '

Generates a CloudFormation template that streamlines and automates the integration of VPC flow logs with Amazon Athena. This make it easier for you to query and gain insights from VPC flow logs data. Based on the information that you provide, we configure resources in the template to do the following:

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetFlowLogsIntegrationTemplateResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetFlowLogsIntegrationTemplateRequest' + parameters: [] + /?Action=GetGroupsForCapacityReservation&Version=2016-11-15: + get: + x-aws-operation-name: GetGroupsForCapacityReservation + operationId: GET_GetGroupsForCapacityReservation + description: Lists the resource groups to which a Capacity Reservation has been added. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetGroupsForCapacityReservationResult' + parameters: + - name: CapacityReservationId + in: query + required: true + description: The ID of the Capacity Reservation. + schema: + type: string + - name: NextToken + in: query + required: false + description: The token to use to retrieve the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetGroupsForCapacityReservation + operationId: POST_GetGroupsForCapacityReservation + description: Lists the resource groups to which a Capacity Reservation has been added. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetGroupsForCapacityReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetGroupsForCapacityReservationRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetHostReservationPurchasePreview&Version=2016-11-15: + get: + x-aws-operation-name: GetHostReservationPurchasePreview + operationId: GET_GetHostReservationPurchasePreview + description:

Preview a reservation purchase with configurations that match those of your Dedicated Host. You must have active Dedicated Hosts in your account before you purchase a reservation.

This is a preview of the PurchaseHostReservation action and does not result in the offering being purchased.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetHostReservationPurchasePreviewResult' + parameters: + - name: HostIdSet + in: query + required: true + description: The IDs of the Dedicated Hosts with which the reservation is associated. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + - name: OfferingId + in: query + required: true + description: The offering ID of the reservation. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetHostReservationPurchasePreview + operationId: POST_GetHostReservationPurchasePreview + description:

Preview a reservation purchase with configurations that match those of your Dedicated Host. You must have active Dedicated Hosts in your account before you purchase a reservation.

This is a preview of the PurchaseHostReservation action and does not result in the offering being purchased.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetHostReservationPurchasePreviewResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetHostReservationPurchasePreviewRequest' + parameters: [] + /?Action=GetInstanceTypesFromInstanceRequirements&Version=2016-11-15: + get: + x-aws-operation-name: GetInstanceTypesFromInstanceRequirements + operationId: GET_GetInstanceTypesFromInstanceRequirements + description: '

Returns a list of instance types with the specified instance attributes. You can use the response to preview the instance types without launching instances. Note that the response does not consider capacity.

When you specify multiple parameters, you get instance types that satisfy all of the specified parameters. If you specify multiple values for a parameter, you get instance types that satisfy any of the specified values.

For more information, see Preview instance types with specified attributes, Attribute-based instance type selection for EC2 Fleet, Attribute-based instance type selection for Spot Fleet, and Spot placement score in the Amazon EC2 User Guide, and Creating an Auto Scaling group using attribute-based instance type selection in the Amazon EC2 Auto Scaling User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetInstanceTypesFromInstanceRequirementsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ArchitectureType + in: query + required: true + description: The processor architecture type. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ArchitectureType' + - xml: + name: item + minItems: 0 + maxItems: 3 + - name: VirtualizationType + in: query + required: true + description: The virtualization type. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VirtualizationType' + - xml: + name: item + minItems: 0 + maxItems: 2 + - name: InstanceRequirements + in: query + required: true + description: The attributes required for the instance types. + schema: + type: object + required: + - VCpuCount + - MemoryMiB + properties: + undefined: + allOf: + - $ref: '#/components/schemas/MemoryMiBRequest' + - description: 'The minimum and maximum amount of memory, in MiB.' + CpuManufacturer: + allOf: + - $ref: '#/components/schemas/MemoryGiBPerVCpuRequest' + - description: '

The minimum and maximum amount of memory per vCPU, in GiB.

Default: No minimum or maximum limits

' + ExcludedInstanceType: + allOf: + - $ref: '#/components/schemas/ExcludedInstanceTypeSet' + - description: '

The instance types to exclude. You can use strings with one or more wild cards, represented by an asterisk (*), to exclude an instance family, type, size, or generation. The following are examples: m5.8xlarge, c5*.*, m5a.*, r*, *3*.

For example, if you specify c5*,Amazon EC2 will exclude the entire C5 instance family, which includes all C5a and C5n instance types. If you specify m5a.*, Amazon EC2 will exclude all the M5a instance types, but not the M5n instance types.

Default: No excluded instance types

' + InstanceGeneration: + allOf: + - $ref: '#/components/schemas/LocalStorage' + - description: '

Indicates whether instance types with instance store volumes are included, excluded, or required. For more information, Amazon EC2 instance store in the Amazon EC2 User Guide.

Default: included

' + LocalStorageType: + allOf: + - $ref: '#/components/schemas/BaselineEbsBandwidthMbpsRequest' + - description: '

The minimum and maximum baseline bandwidth to Amazon EBS, in Mbps. For more information, see Amazon EBS–optimized instances in the Amazon EC2 User Guide.

Default: No minimum or maximum limits

' + AcceleratorType: + allOf: + - $ref: '#/components/schemas/AcceleratorCountRequest' + - description: '

The minimum and maximum number of accelerators (GPUs, FPGAs, or Amazon Web Services Inferentia chips) on an instance.

To exclude accelerator-enabled instance types, set Max to 0.

Default: No minimum or maximum limits

' + AcceleratorManufacturer: + allOf: + - $ref: '#/components/schemas/AcceleratorManufacturerSet' + - description: '

Indicates whether instance types must have accelerators by specific manufacturers.

Default: Any manufacturer

' + AcceleratorName: + allOf: + - $ref: '#/components/schemas/AcceleratorTotalMemoryMiBRequest' + - description: '

The minimum and maximum amount of total accelerator memory, in MiB.

Default: No minimum or maximum limits

' + description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with these attributes.

When you specify multiple parameters, you get instance types that satisfy all of the specified parameters. If you specify multiple values for a parameter, you get instance types that satisfy any of the specified values.

You must specify VCpuCount and MemoryMiB. All other parameters are optional. Any unspecified optional parameter is set to its default.

For more information, see Attribute-based instance type selection for EC2 Fleet, Attribute-based instance type selection for Spot Fleet, and Spot placement score in the Amazon EC2 User Guide.

' + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and
 1000. The default value is 1000. To retrieve the remaining results, make another call with
 the returned NextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetInstanceTypesFromInstanceRequirements + operationId: POST_GetInstanceTypesFromInstanceRequirements + description: '

Returns a list of instance types with the specified instance attributes. You can use the response to preview the instance types without launching instances. Note that the response does not consider capacity.

When you specify multiple parameters, you get instance types that satisfy all of the specified parameters. If you specify multiple values for a parameter, you get instance types that satisfy any of the specified values.

For more information, see Preview instance types with specified attributes, Attribute-based instance type selection for EC2 Fleet, Attribute-based instance type selection for Spot Fleet, and Spot placement score in the Amazon EC2 User Guide, and Creating an Auto Scaling group using attribute-based instance type selection in the Amazon EC2 Auto Scaling User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetInstanceTypesFromInstanceRequirementsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetInstanceTypesFromInstanceRequirementsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetInstanceUefiData&Version=2016-11-15: + get: + x-aws-operation-name: GetInstanceUefiData + operationId: GET_GetInstanceUefiData + description: '

A binary representation of the UEFI variable store. Only non-volatile variables are stored. This is a base64 encoded and zlib compressed binary value that must be properly encoded.

When you use register-image to create an AMI, you can create an exact copy of your variable store by passing the UEFI data in the UefiData parameter. You can modify the UEFI data by using the python-uefivars tool on GitHub. You can use the tool to convert the UEFI data into a human-readable format (JSON), which you can inspect and modify, and then convert back into the binary format to use with register-image.

For more information, see UEFI Secure Boot in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetInstanceUefiDataResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance from which to retrieve the UEFI data. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetInstanceUefiData + operationId: POST_GetInstanceUefiData + description: '

A binary representation of the UEFI variable store. Only non-volatile variables are stored. This is a base64 encoded and zlib compressed binary value that must be properly encoded.

When you use register-image to create an AMI, you can create an exact copy of your variable store by passing the UEFI data in the UefiData parameter. You can modify the UEFI data by using the python-uefivars tool on GitHub. You can use the tool to convert the UEFI data into a human-readable format (JSON), which you can inspect and modify, and then convert back into the binary format to use with register-image.

For more information, see UEFI Secure Boot in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetInstanceUefiDataResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetInstanceUefiDataRequest' + parameters: [] + /?Action=GetIpamAddressHistory&Version=2016-11-15: + get: + x-aws-operation-name: GetIpamAddressHistory + operationId: GET_GetIpamAddressHistory + description: 'Retrieve historical information about a CIDR within an IPAM scope. For more information, see View the history of IP addresses in the Amazon VPC IPAM User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamAddressHistoryResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Cidr + in: query + required: true + description: 'The CIDR you want the history of. The CIDR can be an IPv4 or IPv6 IP address range. If you enter a /16 IPv4 CIDR, you will get records that match it exactly. You will not get records for any subnets within the /16 CIDR.' + schema: + type: string + - name: IpamScopeId + in: query + required: true + description: The ID of the IPAM scope that the CIDR is in. + schema: + type: string + - name: VpcId + in: query + required: false + description: The ID of the VPC you want your history records filtered by. + schema: + type: string + - name: StartTime + in: query + required: false + description: 'The start of the time period for which you are looking for history. If you omit this option, it will default to the value of EndTime.' + schema: + type: string + format: date-time + - name: EndTime + in: query + required: false + description: 'The end of the time period for which you are looking for history. If you omit this option, it will default to the current time.' + schema: + type: string + format: date-time + - name: MaxResults + in: query + required: false + description: The maximum number of historical results you would like returned per page. Defaults to 100. + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetIpamAddressHistory + operationId: POST_GetIpamAddressHistory + description: 'Retrieve historical information about a CIDR within an IPAM scope. For more information, see View the history of IP addresses in the Amazon VPC IPAM User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamAddressHistoryResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamAddressHistoryRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetIpamPoolAllocations&Version=2016-11-15: + get: + x-aws-operation-name: GetIpamPoolAllocations + operationId: GET_GetIpamPoolAllocations + description: Get a list of all the CIDR allocations in an IPAM pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamPoolAllocationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool you want to see the allocations for. + schema: + type: string + - name: IpamPoolAllocationId + in: query + required: false + description: The ID of the allocation. + schema: + type: string + - name: Filter + in: query + required: false + description: 'One or more filters for the request. For more information about filtering, see Filtering CLI output.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results you would like returned per page. + schema: + type: integer + minimum: 1000 + maximum: 100000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetIpamPoolAllocations + operationId: POST_GetIpamPoolAllocations + description: Get a list of all the CIDR allocations in an IPAM pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamPoolAllocationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamPoolAllocationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetIpamPoolCidrs&Version=2016-11-15: + get: + x-aws-operation-name: GetIpamPoolCidrs + operationId: GET_GetIpamPoolCidrs + description: Get the CIDRs provisioned to an IPAM pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamPoolCidrsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool you want the CIDR for. + schema: + type: string + - name: Filter + in: query + required: false + description: 'One or more filters for the request. For more information about filtering, see Filtering CLI output.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in the request. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetIpamPoolCidrs + operationId: POST_GetIpamPoolCidrs + description: Get the CIDRs provisioned to an IPAM pool. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamPoolCidrsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamPoolCidrsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetIpamResourceCidrs&Version=2016-11-15: + get: + x-aws-operation-name: GetIpamResourceCidrs + operationId: GET_GetIpamResourceCidrs + description: Get information about the resources in a scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamResourceCidrsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Filter + in: query + required: false + description: 'One or more filters for the request. For more information about filtering, see Filtering CLI output.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of results to return in the request. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: IpamScopeId + in: query + required: true + description: The ID of the scope that the resource is in. + schema: + type: string + - name: IpamPoolId + in: query + required: false + description: The ID of the IPAM pool that the resource is in. + schema: + type: string + - name: ResourceId + in: query + required: false + description: The ID of the resource. + schema: + type: string + - name: ResourceType + in: query + required: false + description: The resource type. + schema: + type: string + enum: + - vpc + - subnet + - eip + - public-ipv4-pool + - ipv6-pool + - name: ResourceTag + in: query + required: false + description: '' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the tag. + description: A tag on an IPAM resource. + - name: ResourceOwner + in: query + required: false + description: The ID of the Amazon Web Services account that owns the resource. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetIpamResourceCidrs + operationId: POST_GetIpamResourceCidrs + description: Get information about the resources in a scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamResourceCidrsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetIpamResourceCidrsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetLaunchTemplateData&Version=2016-11-15: + get: + x-aws-operation-name: GetLaunchTemplateData + operationId: GET_GetLaunchTemplateData + description: '

Retrieves the configuration data of the specified instance. You can use this data to create a launch template.

This action calls on other describe actions to get instance information. Depending on your instance configuration, you may need to allow the following actions in your IAM policy: DescribeSpotInstanceRequests, DescribeInstanceCreditSpecifications, DescribeVolumes, DescribeInstanceAttribute, and DescribeElasticGpus. Or, you can allow describe* depending on your instance requirements.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetLaunchTemplateDataResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetLaunchTemplateData + operationId: POST_GetLaunchTemplateData + description: '

Retrieves the configuration data of the specified instance. You can use this data to create a launch template.

This action calls on other describe actions to get instance information. Depending on your instance configuration, you may need to allow the following actions in your IAM policy: DescribeSpotInstanceRequests, DescribeInstanceCreditSpecifications, DescribeVolumes, DescribeInstanceAttribute, and DescribeElasticGpus. Or, you can allow describe* depending on your instance requirements.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetLaunchTemplateDataResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetLaunchTemplateDataRequest' + parameters: [] + /?Action=GetManagedPrefixListAssociations&Version=2016-11-15: + get: + x-aws-operation-name: GetManagedPrefixListAssociations + operationId: GET_GetManagedPrefixListAssociations + description: Gets information about the resources that are associated with the specified managed prefix list. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetManagedPrefixListAssociationsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 255 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetManagedPrefixListAssociations + operationId: POST_GetManagedPrefixListAssociations + description: Gets information about the resources that are associated with the specified managed prefix list. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetManagedPrefixListAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetManagedPrefixListAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetManagedPrefixListEntries&Version=2016-11-15: + get: + x-aws-operation-name: GetManagedPrefixListEntries + operationId: GET_GetManagedPrefixListEntries + description: Gets information about the entries for a specified managed prefix list. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetManagedPrefixListEntriesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + - name: TargetVersion + in: query + required: false + description: The version of the prefix list for which to return the entries. The default is the current version. + schema: + type: integer + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetManagedPrefixListEntries + operationId: POST_GetManagedPrefixListEntries + description: Gets information about the entries for a specified managed prefix list. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetManagedPrefixListEntriesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetManagedPrefixListEntriesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetNetworkInsightsAccessScopeAnalysisFindings&Version=2016-11-15: + get: + x-aws-operation-name: GetNetworkInsightsAccessScopeAnalysisFindings + operationId: GET_GetNetworkInsightsAccessScopeAnalysisFindings + description: Gets the findings for the specified Network Access Scope analysis. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetNetworkInsightsAccessScopeAnalysisFindingsResult' + parameters: + - name: NetworkInsightsAccessScopeAnalysisId + in: query + required: true + description: The ID of the Network Access Scope analysis. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 1 + maximum: 100 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetNetworkInsightsAccessScopeAnalysisFindings + operationId: POST_GetNetworkInsightsAccessScopeAnalysisFindings + description: Gets the findings for the specified Network Access Scope analysis. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetNetworkInsightsAccessScopeAnalysisFindingsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetNetworkInsightsAccessScopeAnalysisFindingsRequest' + parameters: [] + /?Action=GetNetworkInsightsAccessScopeContent&Version=2016-11-15: + get: + x-aws-operation-name: GetNetworkInsightsAccessScopeContent + operationId: GET_GetNetworkInsightsAccessScopeContent + description: Gets the content for the specified Network Access Scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetNetworkInsightsAccessScopeContentResult' + parameters: + - name: NetworkInsightsAccessScopeId + in: query + required: true + description: The ID of the Network Access Scope. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetNetworkInsightsAccessScopeContent + operationId: POST_GetNetworkInsightsAccessScopeContent + description: Gets the content for the specified Network Access Scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetNetworkInsightsAccessScopeContentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetNetworkInsightsAccessScopeContentRequest' + parameters: [] + /?Action=GetPasswordData&Version=2016-11-15: + get: + x-aws-operation-name: GetPasswordData + operationId: GET_GetPasswordData + description: '

Retrieves the encrypted administrator password for a running Windows instance.

The Windows password is generated at boot by the EC2Config service or EC2Launch scripts (Windows Server 2016 and later). This usually only happens the first time an instance is launched. For more information, see EC2Config and EC2Launch in the Amazon EC2 User Guide.

For the EC2Config service, the password is not generated for rebundled AMIs unless Ec2SetPassword is enabled before bundling.

The password is encrypted using the key pair that you specified when you launched the instance. You must provide the corresponding key pair file.

When you launch an instance, password generation and encryption may take a few minutes. If you try to retrieve the password before it''s available, the output returns an empty string. We recommend that you wait up to 15 minutes after launching an instance before trying to retrieve the generated password.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetPasswordDataResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the Windows instance. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetPasswordData + operationId: POST_GetPasswordData + description: '

Retrieves the encrypted administrator password for a running Windows instance.

The Windows password is generated at boot by the EC2Config service or EC2Launch scripts (Windows Server 2016 and later). This usually only happens the first time an instance is launched. For more information, see EC2Config and EC2Launch in the Amazon EC2 User Guide.

For the EC2Config service, the password is not generated for rebundled AMIs unless Ec2SetPassword is enabled before bundling.

The password is encrypted using the key pair that you specified when you launched the instance. You must provide the corresponding key pair file.

When you launch an instance, password generation and encryption may take a few minutes. If you try to retrieve the password before it''s available, the output returns an empty string. We recommend that you wait up to 15 minutes after launching an instance before trying to retrieve the generated password.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetPasswordDataResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetPasswordDataRequest' + parameters: [] + /?Action=GetReservedInstancesExchangeQuote&Version=2016-11-15: + get: + x-aws-operation-name: GetReservedInstancesExchangeQuote + operationId: GET_GetReservedInstancesExchangeQuote + description: 'Returns a quote and exchange information for exchanging one or more specified Convertible Reserved Instances for a new Convertible Reserved Instance. If the exchange cannot be performed, the reason is returned in the response. Use AcceptReservedInstancesExchangeQuote to perform the exchange.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetReservedInstancesExchangeQuoteResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ReservedInstanceId + in: query + required: true + description: The IDs of the Convertible Reserved Instances to exchange. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: ReservedInstanceId + - name: TargetConfiguration + in: query + required: false + description: The configuration of the target Convertible Reserved Instance to exchange for your current Convertible Reserved Instances. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TargetConfigurationRequest' + - xml: + name: TargetConfigurationRequest + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetReservedInstancesExchangeQuote + operationId: POST_GetReservedInstancesExchangeQuote + description: 'Returns a quote and exchange information for exchanging one or more specified Convertible Reserved Instances for a new Convertible Reserved Instance. If the exchange cannot be performed, the reason is returned in the response. Use AcceptReservedInstancesExchangeQuote to perform the exchange.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetReservedInstancesExchangeQuoteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetReservedInstancesExchangeQuoteRequest' + parameters: [] + /?Action=GetSerialConsoleAccessStatus&Version=2016-11-15: + get: + x-aws-operation-name: GetSerialConsoleAccessStatus + operationId: GET_GetSerialConsoleAccessStatus + description: 'Retrieves the access status of your account to the EC2 serial console of all instances. By default, access to the EC2 serial console is disabled for your account. For more information, see Manage account access to the EC2 serial console in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSerialConsoleAccessStatusResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetSerialConsoleAccessStatus + operationId: POST_GetSerialConsoleAccessStatus + description: 'Retrieves the access status of your account to the EC2 serial console of all instances. By default, access to the EC2 serial console is disabled for your account. For more information, see Manage account access to the EC2 serial console in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSerialConsoleAccessStatusResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSerialConsoleAccessStatusRequest' + parameters: [] + /?Action=GetSpotPlacementScores&Version=2016-11-15: + get: + x-aws-operation-name: GetSpotPlacementScores + operationId: GET_GetSpotPlacementScores + description: '

Calculates the Spot placement score for a Region or Availability Zone based on the specified target capacity and compute requirements.

You can specify your compute requirements either by using InstanceRequirementsWithMetadata and letting Amazon EC2 choose the optimal instance types to fulfill your Spot request, or you can specify the instance types by using InstanceTypes.

For more information, see Spot placement score in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSpotPlacementScoresResult' + parameters: + - name: InstanceType + in: query + required: false + description: '

The instance types. We recommend that you specify at least three instance types. If you specify one or two instance types, or specify variations of a single instance type (for example, an m3.xlarge with and without instance storage), the returned placement score will always be low.

If you specify InstanceTypes, you can''t specify InstanceRequirementsWithMetadata.

' + schema: + type: array + items: + $ref: '#/components/schemas/String' + minItems: 0 + maxItems: 1000 + - name: TargetCapacity + in: query + required: true + description: The target capacity. + schema: + type: integer + minimum: 1 + maximum: 2000000000 + - name: TargetCapacityUnitType + in: query + required: false + description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + schema: + type: string + enum: + - vcpu + - memory-mib + - units + - name: SingleAvailabilityZone + in: query + required: false + description: '

Specify true so that the response returns a list of scored Availability Zones. Otherwise, the response returns a list of scored Regions.

A list of scored Availability Zones is useful if you want to launch all of your Spot capacity into a single Availability Zone.

' + schema: + type: boolean + - name: RegionName + in: query + required: false + description: 'The Regions used to narrow down the list of Regions to be scored. Enter the Region code, for example, us-east-1.' + schema: + type: array + items: + $ref: '#/components/schemas/String' + minItems: 0 + maxItems: 10 + - name: InstanceRequirementsWithMetadata + in: query + required: false + description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.

If you specify InstanceRequirementsWithMetadata, you can''t specify InstanceTypes.

' + schema: + type: object + properties: + ArchitectureType: + allOf: + - $ref: '#/components/schemas/ArchitectureTypeSet' + - description: The architecture type. + VirtualizationType: + allOf: + - $ref: '#/components/schemas/InstanceRequirementsRequest' + - description: 'The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.' + description: '

The architecture type, virtualization type, and other attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.

If you specify InstanceRequirementsWithMetadataRequest, you can''t specify InstanceTypes.

' + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return in a single call. Specify a value between 1 and
 1000. The default value is 1000. To retrieve the remaining results, make another call with
 the returned NextToken value.' + schema: + type: integer + minimum: 10 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next set of results. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetSpotPlacementScores + operationId: POST_GetSpotPlacementScores + description: '

Calculates the Spot placement score for a Region or Availability Zone based on the specified target capacity and compute requirements.

You can specify your compute requirements either by using InstanceRequirementsWithMetadata and letting Amazon EC2 choose the optimal instance types to fulfill your Spot request, or you can specify the instance types by using InstanceTypes.

For more information, see Spot placement score in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSpotPlacementScoresResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSpotPlacementScoresRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetSubnetCidrReservations&Version=2016-11-15: + get: + x-aws-operation-name: GetSubnetCidrReservations + operationId: GET_GetSubnetCidrReservations + description: Gets information about the subnet CIDR reservations. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSubnetCidrReservationsResult' + parameters: + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: SubnetId + in: query + required: true + description: The ID of the subnet. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetSubnetCidrReservations + operationId: POST_GetSubnetCidrReservations + description: Gets information about the subnet CIDR reservations. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSubnetCidrReservationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetSubnetCidrReservationsRequest' + parameters: [] + /?Action=GetTransitGatewayAttachmentPropagations&Version=2016-11-15: + get: + x-aws-operation-name: GetTransitGatewayAttachmentPropagations + operationId: GET_GetTransitGatewayAttachmentPropagations + description: Lists the route tables to which the specified resource attachment propagates routes. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayAttachmentPropagationsResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetTransitGatewayAttachmentPropagations + operationId: POST_GetTransitGatewayAttachmentPropagations + description: Lists the route tables to which the specified resource attachment propagates routes. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayAttachmentPropagationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayAttachmentPropagationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetTransitGatewayMulticastDomainAssociations&Version=2016-11-15: + get: + x-aws-operation-name: GetTransitGatewayMulticastDomainAssociations + operationId: GET_GetTransitGatewayMulticastDomainAssociations + description: Gets information about the associations for the transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayMulticastDomainAssociationsResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetTransitGatewayMulticastDomainAssociations + operationId: POST_GetTransitGatewayMulticastDomainAssociations + description: Gets information about the associations for the transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayMulticastDomainAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayMulticastDomainAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetTransitGatewayPrefixListReferences&Version=2016-11-15: + get: + x-aws-operation-name: GetTransitGatewayPrefixListReferences + operationId: GET_GetTransitGatewayPrefixListReferences + description: Gets information about the prefix list references in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayPrefixListReferencesResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetTransitGatewayPrefixListReferences + operationId: POST_GetTransitGatewayPrefixListReferences + description: Gets information about the prefix list references in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayPrefixListReferencesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayPrefixListReferencesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetTransitGatewayRouteTableAssociations&Version=2016-11-15: + get: + x-aws-operation-name: GetTransitGatewayRouteTableAssociations + operationId: GET_GetTransitGatewayRouteTableAssociations + description: Gets information about the associations for the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayRouteTableAssociationsResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetTransitGatewayRouteTableAssociations + operationId: POST_GetTransitGatewayRouteTableAssociations + description: Gets information about the associations for the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayRouteTableAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayRouteTableAssociationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetTransitGatewayRouteTablePropagations&Version=2016-11-15: + get: + x-aws-operation-name: GetTransitGatewayRouteTablePropagations + operationId: GET_GetTransitGatewayRouteTablePropagations + description: Gets information about the route table propagations for the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayRouteTablePropagationsResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetTransitGatewayRouteTablePropagations + operationId: POST_GetTransitGatewayRouteTablePropagations + description: Gets information about the route table propagations for the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayRouteTablePropagationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetTransitGatewayRouteTablePropagationsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=GetVpnConnectionDeviceSampleConfiguration&Version=2016-11-15: + get: + x-aws-operation-name: GetVpnConnectionDeviceSampleConfiguration + operationId: GET_GetVpnConnectionDeviceSampleConfiguration + description: Download an Amazon Web Services-provided sample configuration file to be used with the customer gateway device specified for your Site-to-Site VPN connection. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetVpnConnectionDeviceSampleConfigurationResult' + parameters: + - name: VpnConnectionId + in: query + required: true + description: The VpnConnectionId specifies the Site-to-Site VPN connection used for the sample configuration. + schema: + type: string + - name: VpnConnectionDeviceTypeId + in: query + required: true + description: Device identifier provided by the GetVpnConnectionDeviceTypes API. + schema: + type: string + - name: InternetKeyExchangeVersion + in: query + required: false + description: 'The IKE version to be used in the sample configuration file for your customer gateway device. You can specify one of the following versions: ikev1 or ikev2.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetVpnConnectionDeviceSampleConfiguration + operationId: POST_GetVpnConnectionDeviceSampleConfiguration + description: Download an Amazon Web Services-provided sample configuration file to be used with the customer gateway device specified for your Site-to-Site VPN connection. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetVpnConnectionDeviceSampleConfigurationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetVpnConnectionDeviceSampleConfigurationRequest' + parameters: [] + /?Action=GetVpnConnectionDeviceTypes&Version=2016-11-15: + get: + x-aws-operation-name: GetVpnConnectionDeviceTypes + operationId: GET_GetVpnConnectionDeviceTypes + description: 'Obtain a list of customer gateway devices for which sample configuration files can be provided. The request has no additional parameters. You can also see the list of device types with sample configuration files available under Your customer gateway device in the Amazon Web Services Site-to-Site VPN User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetVpnConnectionDeviceTypesResult' + parameters: + - name: MaxResults + in: query + required: false + description: 'The maximum number of results returned by GetVpnConnectionDeviceTypes in paginated output. When this parameter is used, GetVpnConnectionDeviceTypes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another GetVpnConnectionDeviceTypes request with the returned NextToken value. This value can be between 200 and 1000. If this parameter is not used, then GetVpnConnectionDeviceTypes returns all results.' + schema: + type: integer + minimum: 200 + maximum: 1000 + - name: NextToken + in: query + required: false + description: 'The NextToken value returned from a previous paginated GetVpnConnectionDeviceTypes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. ' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: GetVpnConnectionDeviceTypes + operationId: POST_GetVpnConnectionDeviceTypes + description: 'Obtain a list of customer gateway devices for which sample configuration files can be provided. The request has no additional parameters. You can also see the list of device types with sample configuration files available under Your customer gateway device in the Amazon Web Services Site-to-Site VPN User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetVpnConnectionDeviceTypesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/GetVpnConnectionDeviceTypesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=ImportClientVpnClientCertificateRevocationList&Version=2016-11-15: + get: + x-aws-operation-name: ImportClientVpnClientCertificateRevocationList + operationId: GET_ImportClientVpnClientCertificateRevocationList + description:

Uploads a client certificate revocation list to the specified Client VPN endpoint. Uploading a client certificate revocation list overwrites the existing client certificate revocation list.

Uploading a client certificate revocation list resets existing client connections.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportClientVpnClientCertificateRevocationListResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint to which the client certificate revocation list applies. + schema: + type: string + - name: CertificateRevocationList + in: query + required: true + description: 'The client certificate revocation list file. For more information, see Generate a Client Certificate Revocation List in the Client VPN Administrator Guide.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ImportClientVpnClientCertificateRevocationList + operationId: POST_ImportClientVpnClientCertificateRevocationList + description:

Uploads a client certificate revocation list to the specified Client VPN endpoint. Uploading a client certificate revocation list overwrites the existing client certificate revocation list.

Uploading a client certificate revocation list resets existing client connections.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportClientVpnClientCertificateRevocationListResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportClientVpnClientCertificateRevocationListRequest' + parameters: [] + /?Action=ImportImage&Version=2016-11-15: + get: + x-aws-operation-name: ImportImage + operationId: GET_ImportImage + description: '

Import single or multi-volume disk images or EBS snapshots into an Amazon Machine Image (AMI).

For more information, see Importing a VM as an image using VM Import/Export in the VM Import/Export User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportImageResult' + parameters: + - name: Architecture + in: query + required: false + description: '

The architecture of the virtual machine.

Valid values: i386 | x86_64

' + schema: + type: string + - name: ClientData + in: query + required: false + description: The client-specific data. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that the disk upload starts. + description: Describes the client-specific data. + - name: ClientToken + in: query + required: false + description: The token to enable idempotency for VM import requests. + schema: + type: string + - name: Description + in: query + required: false + description: A description string for the import image task. + schema: + type: string + - name: DiskContainer + in: query + required: false + description: Information about the disk containers. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageDiskContainer' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Encrypted + in: query + required: false + description: 'Specifies whether the destination AMI of the imported image should be encrypted. The default KMS key for EBS is used unless you specify a non-default KMS key using KmsKeyId. For more information, see Amazon EBS Encryption in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: boolean + - name: Hypervisor + in: query + required: false + description: '

The target hypervisor platform.

Valid values: xen

' + schema: + type: string + - name: KmsKeyId + in: query + required: false + description: '

An identifier for the symmetric KMS key to use when creating the encrypted AMI. This parameter is only required if you want to use a non-default KMS key; if this parameter is not specified, the default KMS key for EBS is used. If a KmsKeyId is specified, the Encrypted flag must also be set.

The KMS key identifier may be provided in any of the following formats:

Amazon Web Services parses KmsKeyId asynchronously, meaning that the action you call may appear to complete even though you provided an invalid identifier. This action will eventually report failure.

The specified KMS key must exist in the Region that the AMI is being copied to.

Amazon EBS does not support asymmetric KMS keys.

' + schema: + type: string + - name: LicenseType + in: query + required: false + description: '

The license type to be used for the Amazon Machine Image (AMI) after importing.

By default, we detect the source-system operating system (OS) and apply the appropriate license. Specify AWS to replace the source-system license with an Amazon Web Services license, if appropriate. Specify BYOL to retain the source-system license, if appropriate.

To use BYOL, you must have existing licenses with rights to use these licenses in a third party cloud, such as Amazon Web Services. For more information, see Prerequisites in the VM Import/Export User Guide.

' + schema: + type: string + - name: Platform + in: query + required: false + description: '

The operating system of the virtual machine.

Valid values: Windows | Linux

' + schema: + type: string + - name: RoleName + in: query + required: false + description: 'The name of the role to use when not using the default role, ''vmimport''.' + schema: + type: string + - name: LicenseSpecifications + in: query + required: false + description: The ARNs of the license configurations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportImageLicenseConfigurationRequest' + - xml: + name: item + - name: TagSpecification + in: query + required: false + description: The tags to apply to the import image task during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: UsageOperation + in: query + required: false + description: 'The usage operation value. For more information, see Licensing options in the VM Import/Export User Guide.' + schema: + type: string + - name: BootMode + in: query + required: false + description: The boot mode of the virtual machine. + schema: + type: string + enum: + - legacy-bios + - uefi + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ImportImage + operationId: POST_ImportImage + description: '

Import single or multi-volume disk images or EBS snapshots into an Amazon Machine Image (AMI).

For more information, see Importing a VM as an image using VM Import/Export in the VM Import/Export User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportImageRequest' + parameters: [] + /?Action=ImportInstance&Version=2016-11-15: + get: + x-aws-operation-name: ImportInstance + operationId: GET_ImportInstance + description: '

Creates an import instance task using metadata from the specified disk image.

This API action supports only single-volume VMs. To import multi-volume VMs, use ImportImage instead.

This API action is not supported by the Command Line Interface (CLI). For information about using the Amazon EC2 CLI, which is deprecated, see Importing a VM to Amazon EC2 in the Amazon EC2 CLI Reference PDF file.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportInstanceResult' + parameters: + - name: Description + in: query + required: false + description: A description for the instance being imported. + schema: + type: string + - name: DiskImage + in: query + required: false + description: The disk image. + schema: + type: array + items: + $ref: '#/components/schemas/DiskImage' + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LaunchSpecification + in: query + required: false + description: The launch specification. + schema: + type: object + properties: + additionalInfo: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + architecture: + allOf: + - $ref: '#/components/schemas/ArchitectureValues' + - description: The architecture of the instance. + GroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: The security group IDs. + GroupName: + allOf: + - $ref: '#/components/schemas/SecurityGroupStringList' + - description: The security group names. + instanceInitiatedShutdownBehavior: + allOf: + - $ref: '#/components/schemas/ShutdownBehavior' + - description: Indicates whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown). + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: 'The instance type. For more information about the instance types that you can import, see Instance Types in the VM Import/Export User Guide.' + monitoring: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether monitoring is enabled. + placement: + allOf: + - $ref: '#/components/schemas/Placement' + - description: The placement information for the instance. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] An available IP address from the IP address range of the subnet.' + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: '[EC2-VPC] The ID of the subnet in which to launch the instance.' + userData: + allOf: + - $ref: '#/components/schemas/UserData' + - description: The Base64-encoded user data to make available to the instance. + description: Describes the launch specification for VM import. + - name: Platform + in: query + required: true + description: The instance operating system. + schema: + type: string + enum: + - Windows + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ImportInstance + operationId: POST_ImportInstance + description: '

Creates an import instance task using metadata from the specified disk image.

This API action supports only single-volume VMs. To import multi-volume VMs, use ImportImage instead.

This API action is not supported by the Command Line Interface (CLI). For information about using the Amazon EC2 CLI, which is deprecated, see Importing a VM to Amazon EC2 in the Amazon EC2 CLI Reference PDF file.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportInstanceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportInstanceRequest' + parameters: [] + /?Action=ImportKeyPair&Version=2016-11-15: + get: + x-aws-operation-name: ImportKeyPair + operationId: GET_ImportKeyPair + description: '

Imports the public key from an RSA or ED25519 key pair that you created with a third-party tool. Compare this with CreateKeyPair, in which Amazon Web Services creates the key pair and gives the keys to you (Amazon Web Services keeps a copy of the public key). With ImportKeyPair, you create the key pair and give Amazon Web Services just the public key. The private key is never transferred between you and Amazon Web Services.

For more information about key pairs, see Amazon EC2 key pairs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportKeyPairResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: KeyName + in: query + required: true + description: A unique name for the key pair. + schema: + type: string + - name: PublicKeyMaterial + in: query + required: true + description: 'The public key. For API calls, the text must be base64-encoded. For command line tools, base64 encoding is performed for you.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the imported key pair. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ImportKeyPair + operationId: POST_ImportKeyPair + description: '

Imports the public key from an RSA or ED25519 key pair that you created with a third-party tool. Compare this with CreateKeyPair, in which Amazon Web Services creates the key pair and gives the keys to you (Amazon Web Services keeps a copy of the public key). With ImportKeyPair, you create the key pair and give Amazon Web Services just the public key. The private key is never transferred between you and Amazon Web Services.

For more information about key pairs, see Amazon EC2 key pairs in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportKeyPairResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportKeyPairRequest' + parameters: [] + /?Action=ImportSnapshot&Version=2016-11-15: + get: + x-aws-operation-name: ImportSnapshot + operationId: GET_ImportSnapshot + description: '

Imports a disk into an EBS snapshot.

For more information, see Importing a disk as a snapshot using VM Import/Export in the VM Import/Export User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportSnapshotResult' + parameters: + - name: ClientData + in: query + required: false + description: The client-specific data. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that the disk upload starts. + description: Describes the client-specific data. + - name: ClientToken + in: query + required: false + description: Token to enable idempotency for VM import requests. + schema: + type: string + - name: Description + in: query + required: false + description: The description string for the import snapshot task. + schema: + type: string + - name: DiskContainer + in: query + required: false + description: Information about the disk container. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/UserBucket' + - description: The Amazon S3 bucket for the disk image. + description: The disk container object for the import snapshot request. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Encrypted + in: query + required: false + description: 'Specifies whether the destination snapshot of the imported image should be encrypted. The default KMS key for EBS is used unless you specify a non-default KMS key using KmsKeyId. For more information, see Amazon EBS Encryption in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: boolean + - name: KmsKeyId + in: query + required: false + description: '

An identifier for the symmetric KMS key to use when creating the encrypted snapshot. This parameter is only required if you want to use a non-default KMS key; if this parameter is not specified, the default KMS key for EBS is used. If a KmsKeyId is specified, the Encrypted flag must also be set.

The KMS key identifier may be provided in any of the following formats:

Amazon Web Services parses KmsKeyId asynchronously, meaning that the action you call may appear to complete even though you provided an invalid identifier. This action will eventually report failure.

The specified KMS key must exist in the Region that the snapshot is being copied to.

Amazon EBS does not support asymmetric KMS keys.

' + schema: + type: string + - name: RoleName + in: query + required: false + description: 'The name of the role to use when not using the default role, ''vmimport''.' + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the import snapshot task during creation. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ImportSnapshot + operationId: POST_ImportSnapshot + description: '

Imports a disk into an EBS snapshot.

For more information, see Importing a disk as a snapshot using VM Import/Export in the VM Import/Export User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportSnapshotResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportSnapshotRequest' + parameters: [] + /?Action=ImportVolume&Version=2016-11-15: + get: + x-aws-operation-name: ImportVolume + operationId: GET_ImportVolume + description: '

Creates an import volume task using metadata from the specified disk image.

This API action supports only single-volume VMs. To import multi-volume VMs, use ImportImage instead. To import a disk to a snapshot, use ImportSnapshot instead.

This API action is not supported by the Command Line Interface (CLI). For information about using the Amazon EC2 CLI, which is deprecated, see Importing Disks to Amazon EBS in the Amazon EC2 CLI Reference PDF file.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportVolumeResult' + parameters: + - name: AvailabilityZone + in: query + required: true + description: The Availability Zone for the resulting EBS volume. + schema: + type: string + - name: Description + in: query + required: false + description: A description of the volume. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Image + in: query + required: true + description: The disk image. + schema: + type: object + required: + - Bytes + - Format + - ImportManifestUrl + properties: + bytes: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The size of the disk image, in GiB.' + format: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The disk image format. + importManifestUrl: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A presigned URL for the import manifest stored in Amazon S3 and presented here as an Amazon S3 presigned URL. For information about creating a presigned URL for an Amazon S3 object, read the "Query String Request Authentication Alternative" section of the Authenticating REST Requests topic in the Amazon Simple Storage Service Developer Guide.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + description: Describes a disk image. + - name: Volume + in: query + required: true + description: The volume size. + schema: + type: object + required: + - Size + properties: + size: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The size of the volume, in GiB.' + description: Describes an EBS volume. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ImportVolume + operationId: POST_ImportVolume + description: '

Creates an import volume task using metadata from the specified disk image.

This API action supports only single-volume VMs. To import multi-volume VMs, use ImportImage instead. To import a disk to a snapshot, use ImportSnapshot instead.

This API action is not supported by the Command Line Interface (CLI). For information about using the Amazon EC2 CLI, which is deprecated, see Importing Disks to Amazon EBS in the Amazon EC2 CLI Reference PDF file.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportVolumeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ImportVolumeRequest' + parameters: [] + /?Action=ListImagesInRecycleBin&Version=2016-11-15: + get: + x-aws-operation-name: ListImagesInRecycleBin + operationId: GET_ListImagesInRecycleBin + description: 'Lists one or more AMIs that are currently in the Recycle Bin. For more information, see Recycle Bin in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListImagesInRecycleBinResult' + parameters: + - name: ImageId + in: query + required: false + description: The IDs of the AMIs to list. Omit this parameter to list all of the AMIs that are in the Recycle Bin. You can specify up to 20 IDs in a single request. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: ImageId + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: MaxResults + in: query + required: false + description: '

The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.

If you do not specify a value for MaxResults, the request returns 1,000 items per page by default. For more information, see Pagination.

' + schema: + type: integer + minimum: 1 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ListImagesInRecycleBin + operationId: POST_ListImagesInRecycleBin + description: 'Lists one or more AMIs that are currently in the Recycle Bin. For more information, see Recycle Bin in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListImagesInRecycleBinResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ListImagesInRecycleBinRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=ListSnapshotsInRecycleBin&Version=2016-11-15: + get: + x-aws-operation-name: ListSnapshotsInRecycleBin + operationId: GET_ListSnapshotsInRecycleBin + description: Lists one or more snapshots that are currently in the Recycle Bin. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListSnapshotsInRecycleBinResult' + parameters: + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: SnapshotId + in: query + required: false + description: The IDs of the snapshots to list. Omit this parameter to list all of the snapshots that are in the Recycle Bin. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - xml: + name: SnapshotId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ListSnapshotsInRecycleBin + operationId: POST_ListSnapshotsInRecycleBin + description: Lists one or more snapshots that are currently in the Recycle Bin. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListSnapshotsInRecycleBinResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ListSnapshotsInRecycleBinRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=ModifyAddressAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyAddressAttribute + operationId: GET_ModifyAddressAttribute + description: 'Modifies an attribute of the specified Elastic IP address. For requirements, see Using reverse DNS for email applications.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyAddressAttributeResult' + parameters: + - name: AllocationId + in: query + required: true + description: '[EC2-VPC] The allocation ID.' + schema: + type: string + - name: DomainName + in: query + required: false + description: The domain name to modify for the IP address. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyAddressAttribute + operationId: POST_ModifyAddressAttribute + description: 'Modifies an attribute of the specified Elastic IP address. For requirements, see Using reverse DNS for email applications.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyAddressAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyAddressAttributeRequest' + parameters: [] + /?Action=ModifyAvailabilityZoneGroup&Version=2016-11-15: + get: + x-aws-operation-name: ModifyAvailabilityZoneGroup + operationId: GET_ModifyAvailabilityZoneGroup + description: '

Changes the opt-in status of the Local Zone and Wavelength Zone group for your account.

Use DescribeAvailabilityZones to view the value for GroupName.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyAvailabilityZoneGroupResult' + parameters: + - name: GroupName + in: query + required: true + description: 'The name of the Availability Zone group, Local Zone group, or Wavelength Zone group.' + schema: + type: string + - name: OptInStatus + in: query + required: true + description: 'Indicates whether you are opted in to the Local Zone group or Wavelength Zone group. The only valid value is opted-in. You must contact Amazon Web Services Support to opt out of a Local Zone or Wavelength Zone group.' + schema: + type: string + enum: + - opted-in + - not-opted-in + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyAvailabilityZoneGroup + operationId: POST_ModifyAvailabilityZoneGroup + description: '

Changes the opt-in status of the Local Zone and Wavelength Zone group for your account.

Use DescribeAvailabilityZones to view the value for GroupName.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyAvailabilityZoneGroupResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyAvailabilityZoneGroupRequest' + parameters: [] + /?Action=ModifyCapacityReservation&Version=2016-11-15: + get: + x-aws-operation-name: ModifyCapacityReservation + operationId: GET_ModifyCapacityReservation + description: 'Modifies a Capacity Reservation''s capacity and the conditions under which it is to be released. You cannot change a Capacity Reservation''s instance type, EBS optimization, instance store settings, platform, Availability Zone, or instance eligibility. If you need to modify any of these attributes, we recommend that you cancel the Capacity Reservation, and then create a new one with the required attributes.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyCapacityReservationResult' + parameters: + - name: CapacityReservationId + in: query + required: true + description: The ID of the Capacity Reservation. + schema: + type: string + - name: InstanceCount + in: query + required: false + description: The number of instances for which to reserve capacity. The number of instances can't be increased or decreased by more than 1000 in a single request. + schema: + type: integer + - name: EndDate + in: query + required: false + description: '

The date and time at which the Capacity Reservation expires. When a Capacity Reservation expires, the reserved capacity is released and you can no longer launch instances into it. The Capacity Reservation''s state changes to expired when it reaches its end date and time.

The Capacity Reservation is cancelled within an hour from the specified time. For example, if you specify 5/31/2019, 13:30:55, the Capacity Reservation is guaranteed to end between 13:30:55 and 14:30:55 on 5/31/2019.

You must provide an EndDate value if EndDateType is limited. Omit EndDate if EndDateType is unlimited.

' + schema: + type: string + format: date-time + - name: EndDateType + in: query + required: false + description: '

Indicates the way in which the Capacity Reservation ends. A Capacity Reservation can have one of the following end types:

' + schema: + type: string + enum: + - unlimited + - limited + - name: Accept + in: query + required: false + description: Reserved. Capacity Reservations you have created are accepted by default. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: AdditionalInfo + in: query + required: false + description: Reserved for future use. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyCapacityReservation + operationId: POST_ModifyCapacityReservation + description: 'Modifies a Capacity Reservation''s capacity and the conditions under which it is to be released. You cannot change a Capacity Reservation''s instance type, EBS optimization, instance store settings, platform, Availability Zone, or instance eligibility. If you need to modify any of these attributes, we recommend that you cancel the Capacity Reservation, and then create a new one with the required attributes.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyCapacityReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyCapacityReservationRequest' + parameters: [] + /?Action=ModifyCapacityReservationFleet&Version=2016-11-15: + get: + x-aws-operation-name: ModifyCapacityReservationFleet + operationId: GET_ModifyCapacityReservationFleet + description: '

Modifies a Capacity Reservation Fleet.

When you modify the total target capacity of a Capacity Reservation Fleet, the Fleet automatically creates new Capacity Reservations, or modifies or cancels existing Capacity Reservations in the Fleet to meet the new total target capacity. When you modify the end date for the Fleet, the end dates for all of the individual Capacity Reservations in the Fleet are updated accordingly.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyCapacityReservationFleetResult' + parameters: + - name: CapacityReservationFleetId + in: query + required: true + description: The ID of the Capacity Reservation Fleet to modify. + schema: + type: string + - name: TotalTargetCapacity + in: query + required: false + description: 'The total number of capacity units to be reserved by the Capacity Reservation Fleet. This value, together with the instance type weights that you assign to each instance type used by the Fleet determine the number of instances for which the Fleet reserves capacity. Both values are based on units that make sense for your workload. For more information, see Total target capacity in the Amazon EC2 User Guide.' + schema: + type: integer + - name: EndDate + in: query + required: false + description: '

The date and time at which the Capacity Reservation Fleet expires. When the Capacity Reservation Fleet expires, its state changes to expired and all of the Capacity Reservations in the Fleet expire.

The Capacity Reservation Fleet expires within an hour after the specified time. For example, if you specify 5/31/2019, 13:30:55, the Capacity Reservation Fleet is guaranteed to expire between 13:30:55 and 14:30:55 on 5/31/2019.

You can''t specify EndDate and RemoveEndDate in the same request.

' + schema: + type: string + format: date-time + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RemoveEndDate + in: query + required: false + description: '

Indicates whether to remove the end date from the Capacity Reservation Fleet. If you remove the end date, the Capacity Reservation Fleet does not expire and it remains active until you explicitly cancel it using the CancelCapacityReservationFleet action.

You can''t specify RemoveEndDate and EndDate in the same request.

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyCapacityReservationFleet + operationId: POST_ModifyCapacityReservationFleet + description: '

Modifies a Capacity Reservation Fleet.

When you modify the total target capacity of a Capacity Reservation Fleet, the Fleet automatically creates new Capacity Reservations, or modifies or cancels existing Capacity Reservations in the Fleet to meet the new total target capacity. When you modify the end date for the Fleet, the end dates for all of the individual Capacity Reservations in the Fleet are updated accordingly.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyCapacityReservationFleetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyCapacityReservationFleetRequest' + parameters: [] + /?Action=ModifyClientVpnEndpoint&Version=2016-11-15: + get: + x-aws-operation-name: ModifyClientVpnEndpoint + operationId: GET_ModifyClientVpnEndpoint + description: Modifies the specified Client VPN endpoint. Modifying the DNS server resets existing client connections. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyClientVpnEndpointResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint to modify. + schema: + type: string + - name: ServerCertificateArn + in: query + required: false + description: The ARN of the server certificate to be used. The server certificate must be provisioned in Certificate Manager (ACM). + schema: + type: string + - name: ConnectionLogOptions + in: query + required: false + description: '

Information about the client connection logging options.

If you enable client connection logging, data about client connections is sent to a Cloudwatch Logs log stream. The following information is logged:

' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the CloudWatch Logs log stream to which the connection data is published. + description: Describes the client connection logging options for the Client VPN endpoint. + - name: DnsServers + in: query + required: false + description: Information about the DNS servers to be used by Client VPN connections. A Client VPN endpoint can have up to two DNS servers. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether DNS servers should be used. Specify False to delete the existing DNS servers. + description: Information about the DNS server to be used. + - name: VpnPort + in: query + required: false + description: '

The port number to assign to the Client VPN endpoint for TCP and UDP traffic.

Valid Values: 443 | 1194

Default Value: 443

' + schema: + type: integer + - name: Description + in: query + required: false + description: A brief description of the Client VPN endpoint. + schema: + type: string + - name: SplitTunnel + in: query + required: false + description: '

Indicates whether the VPN is split-tunnel.

For information about split-tunnel VPN endpoints, see Split-tunnel Client VPN endpoint in the Client VPN Administrator Guide.

' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SecurityGroupId + in: query + required: false + description: The IDs of one or more security groups to apply to the target network. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + - name: VpcId + in: query + required: false + description: The ID of the VPC to associate with the Client VPN endpoint. + schema: + type: string + - name: SelfServicePortal + in: query + required: false + description: Specify whether to enable the self-service portal for the Client VPN endpoint. + schema: + type: string + enum: + - enabled + - disabled + - name: ClientConnectOptions + in: query + required: false + description: The options for managing connection authorization for new client connections. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Lambda function used for connection authorization. + description: The options for managing connection authorization for new client connections. + - name: SessionTimeoutHours + in: query + required: false + description: '

The maximum VPN session duration time in hours.

Valid values: 8 | 10 | 12 | 24

Default value: 24

' + schema: + type: integer + - name: ClientLoginBannerOptions + in: query + required: false + description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: Customizable text that will be displayed in a banner on Amazon Web Services provided clients when a VPN session is established. UTF-8 encoded characters only. Maximum of 1400 characters. + description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyClientVpnEndpoint + operationId: POST_ModifyClientVpnEndpoint + description: Modifies the specified Client VPN endpoint. Modifying the DNS server resets existing client connections. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyClientVpnEndpointResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyClientVpnEndpointRequest' + parameters: [] + /?Action=ModifyDefaultCreditSpecification&Version=2016-11-15: + get: + x-aws-operation-name: ModifyDefaultCreditSpecification + operationId: GET_ModifyDefaultCreditSpecification + description: '

Modifies the default credit option for CPU usage of burstable performance instances. The default credit option is set at the account level per Amazon Web Services Region, and is specified per instance family. All new burstable performance instances in the account launch using the default credit option.

ModifyDefaultCreditSpecification is an asynchronous operation, which works at an Amazon Web Services Region level and modifies the credit option for each Availability Zone. All zones in a Region are updated within five minutes. But if instances are launched during this operation, they might not get the new credit option until the zone is updated. To verify whether the update has occurred, you can call GetDefaultCreditSpecification and check DefaultCreditSpecification for updates.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyDefaultCreditSpecificationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceFamily + in: query + required: true + description: The instance family. + schema: + type: string + enum: + - t2 + - t3 + - t3a + - t4g + - name: CpuCredits + in: query + required: true + description: '

The credit option for CPU usage of the instance family.

Valid Values: standard | unlimited

' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyDefaultCreditSpecification + operationId: POST_ModifyDefaultCreditSpecification + description: '

Modifies the default credit option for CPU usage of burstable performance instances. The default credit option is set at the account level per Amazon Web Services Region, and is specified per instance family. All new burstable performance instances in the account launch using the default credit option.

ModifyDefaultCreditSpecification is an asynchronous operation, which works at an Amazon Web Services Region level and modifies the credit option for each Availability Zone. All zones in a Region are updated within five minutes. But if instances are launched during this operation, they might not get the new credit option until the zone is updated. To verify whether the update has occurred, you can call GetDefaultCreditSpecification and check DefaultCreditSpecification for updates.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyDefaultCreditSpecificationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyDefaultCreditSpecificationRequest' + parameters: [] + /?Action=ModifyEbsDefaultKmsKeyId&Version=2016-11-15: + get: + x-aws-operation-name: ModifyEbsDefaultKmsKeyId + operationId: GET_ModifyEbsDefaultKmsKeyId + description: '

Changes the default KMS key for EBS encryption by default for your account in this Region.

Amazon Web Services creates a unique Amazon Web Services managed KMS key in each Region for use with encryption by default. If you change the default KMS key to a symmetric customer managed KMS key, it is used instead of the Amazon Web Services managed KMS key. To reset the default KMS key to the Amazon Web Services managed KMS key for EBS, use ResetEbsDefaultKmsKeyId. Amazon EBS does not support asymmetric KMS keys.

If you delete or disable the customer managed KMS key that you specified for use with encryption by default, your instances will fail to launch.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyEbsDefaultKmsKeyIdResult' + parameters: + - name: KmsKeyId + in: query + required: true + description: '

The identifier of the Key Management Service (KMS) KMS key to use for Amazon EBS encryption. If this parameter is not specified, your KMS key for Amazon EBS is used. If KmsKeyId is specified, the encrypted state must be true.

You can specify the KMS key using any of the following:

Amazon Web Services authenticates the KMS key asynchronously. Therefore, if you specify an ID, alias, or ARN that is not valid, the action can appear to complete, but eventually fails.

Amazon EBS does not support asymmetric KMS keys.

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyEbsDefaultKmsKeyId + operationId: POST_ModifyEbsDefaultKmsKeyId + description: '

Changes the default KMS key for EBS encryption by default for your account in this Region.

Amazon Web Services creates a unique Amazon Web Services managed KMS key in each Region for use with encryption by default. If you change the default KMS key to a symmetric customer managed KMS key, it is used instead of the Amazon Web Services managed KMS key. To reset the default KMS key to the Amazon Web Services managed KMS key for EBS, use ResetEbsDefaultKmsKeyId. Amazon EBS does not support asymmetric KMS keys.

If you delete or disable the customer managed KMS key that you specified for use with encryption by default, your instances will fail to launch.

For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyEbsDefaultKmsKeyIdResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyEbsDefaultKmsKeyIdRequest' + parameters: [] + /?Action=ModifyFleet&Version=2016-11-15: + get: + x-aws-operation-name: ModifyFleet + operationId: GET_ModifyFleet + description: '

Modifies the specified EC2 Fleet.

You can only modify an EC2 Fleet request of type maintain.

While the EC2 Fleet is being modified, it is in the modifying state.

To scale up your EC2 Fleet, increase its target capacity. The EC2 Fleet launches the additional Spot Instances according to the allocation strategy for the EC2 Fleet request. If the allocation strategy is lowest-price, the EC2 Fleet launches instances using the Spot Instance pool with the lowest price. If the allocation strategy is diversified, the EC2 Fleet distributes the instances across the Spot Instance pools. If the allocation strategy is capacity-optimized, EC2 Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching.

To scale down your EC2 Fleet, decrease its target capacity. First, the EC2 Fleet cancels any open requests that exceed the new target capacity. You can request that the EC2 Fleet terminate Spot Instances until the size of the fleet no longer exceeds the new target capacity. If the allocation strategy is lowest-price, the EC2 Fleet terminates the instances with the highest price per unit. If the allocation strategy is capacity-optimized, the EC2 Fleet terminates the instances in the Spot Instance pools that have the least available Spot Instance capacity. If the allocation strategy is diversified, the EC2 Fleet terminates instances across the Spot Instance pools. Alternatively, you can request that the EC2 Fleet keep the fleet at its current size, but not replace any Spot Instances that are interrupted or that you terminate manually.

If you are finished with your EC2 Fleet for now, but will use it again later, you can set the target capacity to 0.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyFleetResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ExcessCapacityTerminationPolicy + in: query + required: false + description: Indicates whether running instances should be terminated if the total target capacity of the EC2 Fleet is decreased below the current size of the EC2 Fleet. + schema: + type: string + enum: + - no-termination + - termination + - name: LaunchTemplateConfig + in: query + required: false + description: The launch template and overrides. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateConfigRequest' + - xml: + name: item + minItems: 0 + maxItems: 50 + - name: FleetId + in: query + required: true + description: The ID of the EC2 Fleet. + schema: + type: string + - name: TargetCapacitySpecification + in: query + required: false + description: The size of the EC2 Fleet. + schema: + type: object + required: + - TotalTargetCapacity + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TargetCapacityUnitType' + - description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + description: '

The number of units to request. You can choose to set the target capacity as the number of instances. Or you can set the target capacity to a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.

You can use the On-Demand Instance MaxTotalPrice parameter, the Spot Instance MaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, EC2 Fleet will launch instances until it reaches the maximum amount that you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity. The MaxTotalPrice parameters are located in OnDemandOptionsRequest and SpotOptionsRequest.

' + - name: Context + in: query + required: false + description: Reserved. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyFleet + operationId: POST_ModifyFleet + description: '

Modifies the specified EC2 Fleet.

You can only modify an EC2 Fleet request of type maintain.

While the EC2 Fleet is being modified, it is in the modifying state.

To scale up your EC2 Fleet, increase its target capacity. The EC2 Fleet launches the additional Spot Instances according to the allocation strategy for the EC2 Fleet request. If the allocation strategy is lowest-price, the EC2 Fleet launches instances using the Spot Instance pool with the lowest price. If the allocation strategy is diversified, the EC2 Fleet distributes the instances across the Spot Instance pools. If the allocation strategy is capacity-optimized, EC2 Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching.

To scale down your EC2 Fleet, decrease its target capacity. First, the EC2 Fleet cancels any open requests that exceed the new target capacity. You can request that the EC2 Fleet terminate Spot Instances until the size of the fleet no longer exceeds the new target capacity. If the allocation strategy is lowest-price, the EC2 Fleet terminates the instances with the highest price per unit. If the allocation strategy is capacity-optimized, the EC2 Fleet terminates the instances in the Spot Instance pools that have the least available Spot Instance capacity. If the allocation strategy is diversified, the EC2 Fleet terminates instances across the Spot Instance pools. Alternatively, you can request that the EC2 Fleet keep the fleet at its current size, but not replace any Spot Instances that are interrupted or that you terminate manually.

If you are finished with your EC2 Fleet for now, but will use it again later, you can set the target capacity to 0.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyFleetResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyFleetRequest' + parameters: [] + /?Action=ModifyFpgaImageAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyFpgaImageAttribute + operationId: GET_ModifyFpgaImageAttribute + description: Modifies the specified attribute of the specified Amazon FPGA Image (AFI). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyFpgaImageAttributeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FpgaImageId + in: query + required: true + description: The ID of the AFI. + schema: + type: string + - name: Attribute + in: query + required: false + description: The name of the attribute. + schema: + type: string + enum: + - description + - name + - loadPermission + - productCodes + - name: OperationType + in: query + required: false + description: The operation type. + schema: + type: string + enum: + - add + - remove + - name: UserId + in: query + required: false + description: The Amazon Web Services account IDs. This parameter is valid only when modifying the loadPermission attribute. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserId + - name: UserGroup + in: query + required: false + description: The user groups. This parameter is valid only when modifying the loadPermission attribute. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserGroup + - name: ProductCode + in: query + required: false + description: 'The product codes. After you add a product code to an AFI, it can''t be removed. This parameter is valid only when modifying the productCodes attribute.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ProductCode + - name: LoadPermission + in: query + required: false + description: The load permission for the AFI. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LoadPermissionListRequest' + - description: The load permissions to remove. + description: Describes modifications to the load permissions of an Amazon FPGA image (AFI). + - name: Description + in: query + required: false + description: A description for the AFI. + schema: + type: string + - name: Name + in: query + required: false + description: A name for the AFI. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyFpgaImageAttribute + operationId: POST_ModifyFpgaImageAttribute + description: Modifies the specified attribute of the specified Amazon FPGA Image (AFI). + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyFpgaImageAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyFpgaImageAttributeRequest' + parameters: [] + /?Action=ModifyHosts&Version=2016-11-15: + get: + x-aws-operation-name: ModifyHosts + operationId: GET_ModifyHosts + description: '

Modify the auto-placement setting of a Dedicated Host. When auto-placement is enabled, any instances that you launch with a tenancy of host but without a specific host ID are placed onto any available Dedicated Host in your account that has auto-placement enabled. When auto-placement is disabled, you need to provide a host ID to have the instance launch onto a specific host. If no host ID is provided, the instance is launched onto a suitable host with auto-placement enabled.

You can also use this API action to modify a Dedicated Host to support either multiple instance types in an instance family, or to support a specific instance type only.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyHostsResult' + parameters: + - name: AutoPlacement + in: query + required: false + description: Specify whether to enable or disable auto-placement. + schema: + type: string + enum: + - 'on' + - 'off' + - name: HostId + in: query + required: true + description: The IDs of the Dedicated Hosts to modify. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + - name: HostRecovery + in: query + required: false + description: 'Indicates whether to enable or disable host recovery for the Dedicated Host. For more information, see Host recovery in the Amazon EC2 User Guide.' + schema: + type: string + enum: + - 'on' + - 'off' + - name: InstanceType + in: query + required: false + description: '

Specifies the instance type to be supported by the Dedicated Host. Specify this parameter to modify a Dedicated Host to support only a specific instance type.

If you want to modify a Dedicated Host to support multiple instance types in its current instance family, omit this parameter and specify InstanceFamily instead. You cannot specify InstanceType and InstanceFamily in the same request.

' + schema: + type: string + - name: InstanceFamily + in: query + required: false + description: '

Specifies the instance family to be supported by the Dedicated Host. Specify this parameter to modify a Dedicated Host to support multiple instance types within its current instance family.

If you want to modify a Dedicated Host to support a specific instance type only, omit this parameter and specify InstanceType instead. You cannot specify InstanceFamily and InstanceType in the same request.

' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyHosts + operationId: POST_ModifyHosts + description: '

Modify the auto-placement setting of a Dedicated Host. When auto-placement is enabled, any instances that you launch with a tenancy of host but without a specific host ID are placed onto any available Dedicated Host in your account that has auto-placement enabled. When auto-placement is disabled, you need to provide a host ID to have the instance launch onto a specific host. If no host ID is provided, the instance is launched onto a suitable host with auto-placement enabled.

You can also use this API action to modify a Dedicated Host to support either multiple instance types in an instance family, or to support a specific instance type only.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyHostsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyHostsRequest' + parameters: [] + /?Action=ModifyIdFormat&Version=2016-11-15: + get: + x-aws-operation-name: ModifyIdFormat + operationId: GET_ModifyIdFormat + description: '

Modifies the ID format for the specified resource on a per-Region basis. You can specify that resources should receive longer IDs (17-character IDs) when they are created.

This request can only be used to modify longer ID settings for resource types that are within the opt-in period. Resources currently in their opt-in period include: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

This setting applies to the IAM user who makes the request; it does not apply to the entire Amazon Web Services account. By default, an IAM user defaults to the same settings as the root user. If you''re using this action as the root user, then these settings apply to the entire account, unless an IAM user explicitly overrides these settings for themselves. For more information, see Resource IDs in the Amazon Elastic Compute Cloud User Guide.

Resources created with longer IDs are visible to all IAM roles and users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type.

' + responses: + '200': + description: Success + parameters: + - name: Resource + in: query + required: true + description: '

The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

Alternatively, use the all-current option to include all resource types that are currently within their opt-in period for longer IDs.

' + schema: + type: string + - name: UseLongIds + in: query + required: true + description: Indicate whether the resource should use longer IDs (17-character IDs). + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyIdFormat + operationId: POST_ModifyIdFormat + description: '

Modifies the ID format for the specified resource on a per-Region basis. You can specify that resources should receive longer IDs (17-character IDs) when they are created.

This request can only be used to modify longer ID settings for resource types that are within the opt-in period. Resources currently in their opt-in period include: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

This setting applies to the IAM user who makes the request; it does not apply to the entire Amazon Web Services account. By default, an IAM user defaults to the same settings as the root user. If you''re using this action as the root user, then these settings apply to the entire account, unless an IAM user explicitly overrides these settings for themselves. For more information, see Resource IDs in the Amazon Elastic Compute Cloud User Guide.

Resources created with longer IDs are visible to all IAM roles and users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIdFormatRequest' + parameters: [] + /?Action=ModifyIdentityIdFormat&Version=2016-11-15: + get: + x-aws-operation-name: ModifyIdentityIdFormat + operationId: GET_ModifyIdentityIdFormat + description: '

Modifies the ID format of a resource for a specified IAM user, IAM role, or the root user for an account; or all IAM users, IAM roles, and the root user for an account. You can specify that resources should receive longer IDs (17-character IDs) when they are created.

This request can only be used to modify longer ID settings for resource types that are within the opt-in period. Resources currently in their opt-in period include: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

For more information, see Resource IDs in the Amazon Elastic Compute Cloud User Guide.

This setting applies to the principal specified in the request; it does not apply to the principal that makes the request.

Resources created with longer IDs are visible to all IAM roles and users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type.

' + responses: + '200': + description: Success + parameters: + - name: PrincipalArn + in: query + required: true + description: 'The ARN of the principal, which can be an IAM user, IAM role, or the root user. Specify all to modify the ID format for all IAM users, IAM roles, and the root user of the account.' + schema: + type: string + - name: Resource + in: query + required: true + description: '

The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

Alternatively, use the all-current option to include all resource types that are currently within their opt-in period for longer IDs.

' + schema: + type: string + - name: UseLongIds + in: query + required: true + description: Indicates whether the resource should use longer IDs (17-character IDs) + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyIdentityIdFormat + operationId: POST_ModifyIdentityIdFormat + description: '

Modifies the ID format of a resource for a specified IAM user, IAM role, or the root user for an account; or all IAM users, IAM roles, and the root user for an account. You can specify that resources should receive longer IDs (17-character IDs) when they are created.

This request can only be used to modify longer ID settings for resource types that are within the opt-in period. Resources currently in their opt-in period include: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

For more information, see Resource IDs in the Amazon Elastic Compute Cloud User Guide.

This setting applies to the principal specified in the request; it does not apply to the principal that makes the request.

Resources created with longer IDs are visible to all IAM roles and users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIdentityIdFormatRequest' + parameters: [] + /?Action=ModifyImageAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyImageAttribute + operationId: GET_ModifyImageAttribute + description: '

Modifies the specified attribute of the specified AMI. You can specify only one attribute at a time. You can use the Attribute parameter to specify the attribute or one of the following parameters: Description or LaunchPermission.

Images with an Amazon Web Services Marketplace product code cannot be made public.

To enable the SriovNetSupport enhanced networking attribute of an image, enable SriovNetSupport on an instance and create an AMI from the instance.

' + responses: + '200': + description: Success + parameters: + - name: Attribute + in: query + required: false + description: '

The name of the attribute to modify.

Valid values: description | launchPermission

' + schema: + type: string + - name: Description + in: query + required: false + description: A new description for the AMI. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: LaunchPermission + in: query + required: false + description: A new launch permission for the AMI. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchPermissionList' + - description: 'The Amazon Web Services account ID, organization ARN, or OU ARN to remove from the list of launch permissions for the AMI.' + description: Describes a launch permission modification. + - name: OperationType + in: query + required: false + description: The operation type. This parameter can be used only when the Attribute parameter is launchPermission. + schema: + type: string + enum: + - add + - remove + - name: ProductCode + in: query + required: false + description: Not supported. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ProductCode + - name: UserGroup + in: query + required: false + description: The user groups. This parameter can be used only when the Attribute parameter is launchPermission. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserGroup + - name: UserId + in: query + required: false + description: The Amazon Web Services account IDs. This parameter can be used only when the Attribute parameter is launchPermission. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserId + - name: Value + in: query + required: false + description: The value of the attribute being modified. This parameter can be used only when the Attribute parameter is description. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: OrganizationArn + in: query + required: false + description: The Amazon Resource Name (ARN) of an organization. This parameter can be used only when the Attribute parameter is launchPermission. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: OrganizationArn + - name: OrganizationalUnitArn + in: query + required: false + description: The Amazon Resource Name (ARN) of an organizational unit (OU). This parameter can be used only when the Attribute parameter is launchPermission. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: OrganizationalUnitArn + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyImageAttribute + operationId: POST_ModifyImageAttribute + description: '

Modifies the specified attribute of the specified AMI. You can specify only one attribute at a time. You can use the Attribute parameter to specify the attribute or one of the following parameters: Description or LaunchPermission.

Images with an Amazon Web Services Marketplace product code cannot be made public.

To enable the SriovNetSupport enhanced networking attribute of an image, enable SriovNetSupport on an instance and create an AMI from the instance.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyImageAttributeRequest' + parameters: [] + /?Action=ModifyInstanceAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceAttribute + operationId: GET_ModifyInstanceAttribute + description: '

Modifies the specified attribute of the specified instance. You can specify only one attribute at a time.

Note: Using this action to change the security groups associated with an elastic network interface (ENI) attached to an instance in a VPC can result in an error if the instance has more than one ENI. To change the security groups associated with an ENI attached to an instance that has multiple ENIs, we recommend that you use the ModifyNetworkInterfaceAttribute action.

To modify some attributes, the instance must be stopped. For more information, see Modify a stopped instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + parameters: + - name: SourceDestCheck + in: query + required: false + description: 'Enable or disable source/destination checks, which ensure that the instance is either the source or the destination of any traffic that it receives. If the value is true, source/destination checks are enabled; otherwise, they are disabled. The default value is true. You must disable source/destination checks if the instance runs services such as network address translation, routing, or firewalls.' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: Attribute + in: query + required: false + description: The name of the attribute. + schema: + type: string + enum: + - instanceType + - kernel + - ramdisk + - userData + - disableApiTermination + - instanceInitiatedShutdownBehavior + - rootDeviceName + - blockDeviceMapping + - productCodes + - sourceDestCheck + - groupSet + - ebsOptimized + - sriovNetSupport + - enaSupport + - enclaveOptions + - name: BlockDeviceMapping + in: query + required: false + description: '

Modifies the DeleteOnTermination attribute for volumes that are currently attached. The volume must be owned by the caller. If no value is specified for DeleteOnTermination, the default is true and the volume is deleted when the instance is terminated.

To add instance store volumes to an Amazon EBS-backed instance, you must add them when you launch the instance. For more information, see Update the block device mapping when launching an instance in the Amazon EC2 User Guide.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceBlockDeviceMappingSpecification' + - xml: + name: item + - name: DisableApiTermination + in: query + required: false + description: 'If the value is true, you can''t terminate the instance using the Amazon EC2 console, CLI, or API; otherwise, you can. You cannot use this parameter for Spot Instances.' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EbsOptimized + in: query + required: false + description: Specifies whether the instance is optimized for Amazon EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal EBS I/O performance. This optimization isn't available with all instance types. Additional usage charges apply when using an EBS Optimized instance. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: EnaSupport + in: query + required: false + description:

Set to true to enable enhanced networking with ENA for the instance.

This option is supported only for HVM instances. Specifying this option with a PV instance can make it unreachable.

+ schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: GroupId + in: query + required: false + description: '[EC2-VPC] Replaces the security groups of the instance with the specified security groups. You must specify at least one security group, even if it''s just the default security group for the VPC. You must specify the security group ID, not the security group name.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: groupId + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: InstanceInitiatedShutdownBehavior + in: query + required: false + description: Specifies whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown). + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: InstanceType + in: query + required: false + description: 'Changes the instance type to the specified value. For more information, see Instance types in the Amazon EC2 User Guide. If the instance type is not valid, the error returned is InvalidInstanceAttributeValue.' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: Kernel + in: query + required: false + description: 'Changes the instance''s kernel to the specified value. We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB.' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: Ramdisk + in: query + required: false + description: 'Changes the instance''s RAM disk to the specified value. We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB.' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: SriovNetSupport + in: query + required: false + description:

Set to simple to enable enhanced networking with the Intel 82599 Virtual Function interface for the instance.

There is no way to disable enhanced networking with the Intel 82599 Virtual Function interface at this time.

This option is supported only for HVM instances. Specifying this option with a PV instance can make it unreachable.

+ schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: UserData + in: query + required: false + description: 'Changes the instance''s user data to the specified value. If you are using an Amazon Web Services SDK or command line tool, base64-encoding is performed for you, and you can load the text from a file. Otherwise, you must provide base64-encoded text.' + schema: + type: object + properties: + value: + $ref: '#/components/schemas/Blob' + - name: Value + in: query + required: false + description: 'A new value for the attribute. Use only with the kernel, ramdisk, userData, disableApiTermination, or instanceInitiatedShutdownBehavior attribute.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceAttribute + operationId: POST_ModifyInstanceAttribute + description: '

Modifies the specified attribute of the specified instance. You can specify only one attribute at a time.

Note: Using this action to change the security groups associated with an elastic network interface (ENI) attached to an instance in a VPC can result in an error if the instance has more than one ENI. To change the security groups associated with an ENI attached to an instance that has multiple ENIs, we recommend that you use the ModifyNetworkInterfaceAttribute action.

To modify some attributes, the instance must be stopped. For more information, see Modify a stopped instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceAttributeRequest' + parameters: [] + /?Action=ModifyInstanceCapacityReservationAttributes&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceCapacityReservationAttributes + operationId: GET_ModifyInstanceCapacityReservationAttributes + description: 'Modifies the Capacity Reservation settings for a stopped instance. Use this action to configure an instance to target a specific Capacity Reservation, run in any open Capacity Reservation with matching attributes, or run On-Demand Instance capacity.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceCapacityReservationAttributesResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance to be modified. + schema: + type: string + - name: CapacityReservationSpecification + in: query + required: true + description: Information about the Capacity Reservation targeting option. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CapacityReservationTarget' + - description: Information about the target Capacity Reservation or Capacity Reservation group. + description: '

Describes an instance''s Capacity Reservation targeting option. You can specify only one parameter at a time. If you specify CapacityReservationPreference and CapacityReservationTarget, the request fails.

Use the CapacityReservationPreference parameter to configure the instance to run as an On-Demand Instance or to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone). Use the CapacityReservationTarget parameter to explicitly target a specific Capacity Reservation or a Capacity Reservation group.

' + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceCapacityReservationAttributes + operationId: POST_ModifyInstanceCapacityReservationAttributes + description: 'Modifies the Capacity Reservation settings for a stopped instance. Use this action to configure an instance to target a specific Capacity Reservation, run in any open Capacity Reservation with matching attributes, or run On-Demand Instance capacity.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceCapacityReservationAttributesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceCapacityReservationAttributesRequest' + parameters: [] + /?Action=ModifyInstanceCreditSpecification&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceCreditSpecification + operationId: GET_ModifyInstanceCreditSpecification + description: '

Modifies the credit option for CPU usage on a running or stopped burstable performance instance. The credit options are standard and unlimited.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceCreditSpecificationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: 'A unique, case-sensitive token that you provide to ensure idempotency of your modification request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: InstanceCreditSpecification + in: query + required: true + description: Information about the credit option for CPU usage. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceCreditSpecificationRequest' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceCreditSpecification + operationId: POST_ModifyInstanceCreditSpecification + description: '

Modifies the credit option for CPU usage on a running or stopped burstable performance instance. The credit options are standard and unlimited.

For more information, see Burstable performance instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceCreditSpecificationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceCreditSpecificationRequest' + parameters: [] + /?Action=ModifyInstanceEventStartTime&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceEventStartTime + operationId: GET_ModifyInstanceEventStartTime + description: Modifies the start time for a scheduled Amazon EC2 instance event. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceEventStartTimeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance with the scheduled event. + schema: + type: string + - name: InstanceEventId + in: query + required: true + description: The ID of the event whose date and time you are modifying. + schema: + type: string + - name: NotBefore + in: query + required: true + description: The new date and time when the event will take place. + schema: + type: string + format: date-time + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceEventStartTime + operationId: POST_ModifyInstanceEventStartTime + description: Modifies the start time for a scheduled Amazon EC2 instance event. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceEventStartTimeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceEventStartTimeRequest' + parameters: [] + /?Action=ModifyInstanceEventWindow&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceEventWindow + operationId: GET_ModifyInstanceEventWindow + description: '

Modifies the specified event window.

You can define either a set of time ranges or a cron expression when modifying the event window, but not both.

To modify the targets associated with the event window, use the AssociateInstanceEventWindow and DisassociateInstanceEventWindow API.

If Amazon Web Services has already scheduled an event, modifying an event window won''t change the time of the scheduled event.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceEventWindowResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Name + in: query + required: false + description: The name of the event window. + schema: + type: string + - name: InstanceEventWindowId + in: query + required: true + description: The ID of the event window. + schema: + type: string + - name: TimeRange + in: query + required: false + description: The time ranges of the event window. + schema: + type: array + items: + $ref: '#/components/schemas/InstanceEventWindowTimeRangeRequest' + - name: CronExpression + in: query + required: false + description: '

The cron expression of the event window, for example, * 0-4,20-23 * * 1,5.

Constraints:

For more information about cron expressions, see cron on the Wikipedia website.

' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceEventWindow + operationId: POST_ModifyInstanceEventWindow + description: '

Modifies the specified event window.

You can define either a set of time ranges or a cron expression when modifying the event window, but not both.

To modify the targets associated with the event window, use the AssociateInstanceEventWindow and DisassociateInstanceEventWindow API.

If Amazon Web Services has already scheduled an event, modifying an event window won''t change the time of the scheduled event.

For more information, see Define event windows for scheduled events in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceEventWindowResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceEventWindowRequest' + parameters: [] + /?Action=ModifyInstanceMaintenanceOptions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceMaintenanceOptions + operationId: GET_ModifyInstanceMaintenanceOptions + description: 'Modifies the recovery behavior of your instance to disable simplified automatic recovery or set the recovery behavior to default. The default configuration will not enable simplified automatic recovery for an unsupported instance type. For more information, see Simplified automatic recovery.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceMaintenanceOptionsResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: AutoRecovery + in: query + required: false + description: Disables the automatic recovery behavior of your instance or sets it to default. + schema: + type: string + enum: + - disabled + - default + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceMaintenanceOptions + operationId: POST_ModifyInstanceMaintenanceOptions + description: 'Modifies the recovery behavior of your instance to disable simplified automatic recovery or set the recovery behavior to default. The default configuration will not enable simplified automatic recovery for an unsupported instance type. For more information, see Simplified automatic recovery.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceMaintenanceOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceMaintenanceOptionsRequest' + parameters: [] + /?Action=ModifyInstanceMetadataOptions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstanceMetadataOptions + operationId: GET_ModifyInstanceMetadataOptions + description: 'Modify the instance metadata parameters on a running or stopped instance. When you modify the parameters on a stopped instance, they are applied when the instance is started. When you modify the parameters on a running instance, the API responds with a state of “pending”. After the parameter modifications are successfully applied to the instance, the state of the modifications changes from “pending” to “applied” in subsequent describe-instances API calls. For more information, see Instance metadata and user data in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceMetadataOptionsResult' + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: HttpTokens + in: query + required: false + description: '

The state of token usage for your instance metadata requests. If the parameter is not specified in the request, the default state is optional.

If the state is optional, you can choose to retrieve instance metadata with or without a signed token header on your request. If you retrieve the IAM role credentials without a token, the version 1.0 role credentials are returned. If you retrieve the IAM role credentials using a valid signed token, the version 2.0 role credentials are returned.

If the state is required, you must send a signed token header with any instance metadata retrieval requests. In this state, retrieving the IAM role credential always returns the version 2.0 credentials; the version 1.0 credentials are not available.

' + schema: + type: string + enum: + - optional + - required + - name: HttpPutResponseHopLimit + in: query + required: false + description: '

The desired HTTP PUT response hop limit for instance metadata requests. The larger the number, the further instance metadata requests can travel. If no parameter is specified, the existing state is maintained.

Possible values: Integers from 1 to 64

' + schema: + type: integer + - name: HttpEndpoint + in: query + required: false + description: '

Enables or disables the HTTP metadata endpoint on your instances. If this parameter is not specified, the existing state is maintained.

If you specify a value of disabled, you cannot access your instance metadata.

' + schema: + type: string + enum: + - disabled + - enabled + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: HttpProtocolIpv6 + in: query + required: false + description: Enables or disables the IPv6 endpoint for the instance metadata service. This setting applies only if you have enabled the HTTP metadata endpoint. + schema: + type: string + enum: + - disabled + - enabled + - name: InstanceMetadataTags + in: query + required: false + description: '

Set to enabled to allow access to instance tags from the instance metadata. Set to disabled to turn off access to instance tags from the instance metadata. For more information, see Work with instance tags using the instance metadata.

Default: disabled

' + schema: + type: string + enum: + - disabled + - enabled + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstanceMetadataOptions + operationId: POST_ModifyInstanceMetadataOptions + description: 'Modify the instance metadata parameters on a running or stopped instance. When you modify the parameters on a stopped instance, they are applied when the instance is started. When you modify the parameters on a running instance, the API responds with a state of “pending”. After the parameter modifications are successfully applied to the instance, the state of the modifications changes from “pending” to “applied” in subsequent describe-instances API calls. For more information, see Instance metadata and user data in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceMetadataOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstanceMetadataOptionsRequest' + parameters: [] + /?Action=ModifyInstancePlacement&Version=2016-11-15: + get: + x-aws-operation-name: ModifyInstancePlacement + operationId: GET_ModifyInstancePlacement + description: '

Modifies the placement attributes for a specified instance. You can do the following:

At least one attribute for affinity, host ID, tenancy, or placement group name must be specified in the request. Affinity and tenancy can be modified in the same request.

To modify the host ID, tenancy, placement group, or partition for an instance, the instance must be in the stopped state.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstancePlacementResult' + parameters: + - name: Affinity + in: query + required: false + description: The affinity setting for the instance. + schema: + type: string + enum: + - default + - host + - name: GroupName + in: query + required: false + description: '

The name of the placement group in which to place the instance. For spread placement groups, the instance must have a tenancy of default. For cluster and partition placement groups, the instance must have a tenancy of default or dedicated.

To remove an instance from a placement group, specify an empty string ("").

' + schema: + type: string + - name: HostId + in: query + required: false + description: The ID of the Dedicated Host with which to associate the instance. + schema: + type: string + - name: InstanceId + in: query + required: true + description: The ID of the instance that you are modifying. + schema: + type: string + - name: Tenancy + in: query + required: false + description: '

The tenancy for the instance.

For T3 instances, you can''t change the tenancy from dedicated to host, or from host to dedicated. Attempting to make one of these unsupported tenancy changes results in the InvalidTenancy error code.

' + schema: + type: string + enum: + - dedicated + - host + - name: PartitionNumber + in: query + required: false + description: The number of the partition in which to place the instance. Valid only if the placement group strategy is set to partition. + schema: + type: integer + - name: HostResourceGroupArn + in: query + required: false + description: The ARN of the host resource group in which to place the instance. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyInstancePlacement + operationId: POST_ModifyInstancePlacement + description: '

Modifies the placement attributes for a specified instance. You can do the following:

At least one attribute for affinity, host ID, tenancy, or placement group name must be specified in the request. Affinity and tenancy can be modified in the same request.

To modify the host ID, tenancy, placement group, or partition for an instance, the instance must be in the stopped state.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstancePlacementResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyInstancePlacementRequest' + parameters: [] + /?Action=ModifyIpam&Version=2016-11-15: + get: + x-aws-operation-name: ModifyIpam + operationId: GET_ModifyIpam + description: 'Modify the configurations of an IPAM. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamId + in: query + required: true + description: The ID of the IPAM you want to modify. + schema: + type: string + - name: Description + in: query + required: false + description: The description of the IPAM you want to modify. + schema: + type: string + - name: AddOperatingRegion + in: query + required: false + description: '

Choose the operating Regions for the IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + schema: + type: array + items: + $ref: '#/components/schemas/AddIpamOperatingRegion' + minItems: 0 + maxItems: 50 + - name: RemoveOperatingRegion + in: query + required: false + description: The operating Regions to remove. + schema: + type: array + items: + $ref: '#/components/schemas/RemoveIpamOperatingRegion' + minItems: 0 + maxItems: 50 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyIpam + operationId: POST_ModifyIpam + description: 'Modify the configurations of an IPAM. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamRequest' + parameters: [] + /?Action=ModifyIpamPool&Version=2016-11-15: + get: + x-aws-operation-name: ModifyIpamPool + operationId: GET_ModifyIpamPool + description: '

Modify the configurations of an IPAM pool.

For more information, see Modify a pool in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamPoolResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool you want to modify. + schema: + type: string + - name: Description + in: query + required: false + description: The description of the IPAM pool you want to modify. + schema: + type: string + - name: AutoImport + in: query + required: false + description: '

If true, IPAM will continuously look for resources within the CIDR range of this pool and automatically import them as allocations into your IPAM. The CIDRs that will be allocated for these resources must not already be allocated to other resources in order for the import to succeed. IPAM will import a CIDR regardless of its compliance with the pool''s allocation rules, so a resource might be imported and subsequently marked as noncompliant. If IPAM discovers multiple CIDRs that overlap, IPAM will import the largest CIDR only. If IPAM discovers multiple CIDRs with matching CIDRs, IPAM will randomly import one of them only.

A locale must be set on the pool for this feature to work.

' + schema: + type: boolean + - name: AllocationMinNetmaskLength + in: query + required: false + description: The minimum netmask length required for CIDR allocations in this IPAM pool to be compliant. Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128. The minimum netmask length must be less than the maximum netmask length. + schema: + type: integer + minimum: 0 + maximum: 128 + - name: AllocationMaxNetmaskLength + in: query + required: false + description: The maximum netmask length possible for CIDR allocations in this IPAM pool to be compliant. Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128.The maximum netmask length must be greater than the minimum netmask length. + schema: + type: integer + minimum: 0 + maximum: 128 + - name: AllocationDefaultNetmaskLength + in: query + required: false + description: 'The default netmask length for allocations added to this pool. If, for example, the CIDR assigned to this pool is 10.0.0.0/8 and you enter 16 here, new allocations will default to 10.0.0.0/16.' + schema: + type: integer + minimum: 0 + maximum: 128 + - name: ClearAllocationDefaultNetmaskLength + in: query + required: false + description: Clear the default netmask length allocation rule for this pool. + schema: + type: boolean + - name: AddAllocationResourceTag + in: query + required: false + description: 'Add tag allocation rules to a pool. For more information about allocation rules, see Create a top-level pool in the Amazon VPC IPAM User Guide.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTag' + - xml: + name: item + - name: RemoveAllocationResourceTag + in: query + required: false + description: Remove tag allocation rules from a pool. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTag' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyIpamPool + operationId: POST_ModifyIpamPool + description: '

Modify the configurations of an IPAM pool.

For more information, see Modify a pool in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamPoolResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamPoolRequest' + parameters: [] + /?Action=ModifyIpamResourceCidr&Version=2016-11-15: + get: + x-aws-operation-name: ModifyIpamResourceCidr + operationId: GET_ModifyIpamResourceCidr + description: '

Modify a resource CIDR. You can use this action to transfer resource CIDRs between scopes and ignore resource CIDRs that you do not want to manage. If set to false, the resource will not be tracked for overlap, it cannot be auto-imported into a pool, and it will be removed from any pool it has an allocation in.

For more information, see Move resource CIDRs between scopes and Change the monitoring state of resource CIDRs in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamResourceCidrResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ResourceId + in: query + required: true + description: The ID of the resource you want to modify. + schema: + type: string + - name: ResourceCidr + in: query + required: true + description: The CIDR of the resource you want to modify. + schema: + type: string + - name: ResourceRegion + in: query + required: true + description: The Amazon Web Services Region of the resource you want to modify. + schema: + type: string + - name: CurrentIpamScopeId + in: query + required: true + description: The ID of the current scope that the resource CIDR is in. + schema: + type: string + - name: DestinationIpamScopeId + in: query + required: false + description: The ID of the scope you want to transfer the resource CIDR to. + schema: + type: string + - name: Monitored + in: query + required: true + description: 'Determines if the resource is monitored by IPAM. If a resource is monitored, the resource is discovered by IPAM and you can view details about the resource’s CIDR.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyIpamResourceCidr + operationId: POST_ModifyIpamResourceCidr + description: '

Modify a resource CIDR. You can use this action to transfer resource CIDRs between scopes and ignore resource CIDRs that you do not want to manage. If set to false, the resource will not be tracked for overlap, it cannot be auto-imported into a pool, and it will be removed from any pool it has an allocation in.

For more information, see Move resource CIDRs between scopes and Change the monitoring state of resource CIDRs in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamResourceCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamResourceCidrRequest' + parameters: [] + /?Action=ModifyIpamScope&Version=2016-11-15: + get: + x-aws-operation-name: ModifyIpamScope + operationId: GET_ModifyIpamScope + description: Modify an IPAM scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamScopeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamScopeId + in: query + required: true + description: The ID of the scope you want to modify. + schema: + type: string + - name: Description + in: query + required: false + description: The description of the scope you want to modify. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyIpamScope + operationId: POST_ModifyIpamScope + description: Modify an IPAM scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamScopeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyIpamScopeRequest' + parameters: [] + /?Action=ModifyLaunchTemplate&Version=2016-11-15: + get: + x-aws-operation-name: ModifyLaunchTemplate + operationId: GET_ModifyLaunchTemplate + description: 'Modifies a launch template. You can specify which version of the launch template to set as the default version. When launching an instance, the default version applies when a launch template version is not specified.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyLaunchTemplateResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ClientToken + in: query + required: false + description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.

Constraint: Maximum 128 ASCII characters.

' + schema: + type: string + - name: LaunchTemplateId + in: query + required: false + description: The ID of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + - name: LaunchTemplateName + in: query + required: false + description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + schema: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + - name: SetDefaultVersion + in: query + required: false + description: The version number of the launch template to set as the default version. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyLaunchTemplate + operationId: POST_ModifyLaunchTemplate + description: 'Modifies a launch template. You can specify which version of the launch template to set as the default version. When launching an instance, the default version applies when a launch template version is not specified.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyLaunchTemplateResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyLaunchTemplateRequest' + parameters: [] + /?Action=ModifyManagedPrefixList&Version=2016-11-15: + get: + x-aws-operation-name: ModifyManagedPrefixList + operationId: GET_ModifyManagedPrefixList + description: '

Modifies the specified managed prefix list.

Adding or removing entries in a prefix list creates a new version of the prefix list. Changing the name of the prefix list does not affect the version.

If you specify a current version number that does not match the true current version number, the request fails.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyManagedPrefixListResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + - name: CurrentVersion + in: query + required: false + description: The current version of the prefix list. + schema: + type: integer + - name: PrefixListName + in: query + required: false + description: A name for the prefix list. + schema: + type: string + - name: AddEntry + in: query + required: false + description: One or more entries to add to the prefix list. + schema: + type: array + items: + $ref: '#/components/schemas/AddPrefixListEntry' + minItems: 0 + maxItems: 100 + - name: RemoveEntry + in: query + required: false + description: One or more entries to remove from the prefix list. + schema: + type: array + items: + $ref: '#/components/schemas/RemovePrefixListEntry' + minItems: 0 + maxItems: 100 + - name: MaxEntries + in: query + required: false + description: '

The maximum number of entries for the prefix list. You cannot modify the entries of a prefix list and modify the size of a prefix list at the same time.

If any of the resources that reference the prefix list cannot support the new maximum size, the modify operation fails. Check the state message for the IDs of the first ten resources that do not support the new maximum size.

' + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyManagedPrefixList + operationId: POST_ModifyManagedPrefixList + description: '

Modifies the specified managed prefix list.

Adding or removing entries in a prefix list creates a new version of the prefix list. Changing the name of the prefix list does not affect the version.

If you specify a current version number that does not match the true current version number, the request fails.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyManagedPrefixListResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyManagedPrefixListRequest' + parameters: [] + /?Action=ModifyNetworkInterfaceAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyNetworkInterfaceAttribute + operationId: GET_ModifyNetworkInterfaceAttribute + description: Modifies the specified network interface attribute. You can specify only one attribute at a time. You can use this action to attach and detach security groups from an existing EC2 instance. + responses: + '200': + description: Success + parameters: + - name: Attachment + in: query + required: false + description: 'Information about the interface attachment. If modifying the ''delete on termination'' attribute, you must specify the ID of the interface attachment.' + schema: + type: object + properties: + attachmentId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttachmentId' + - description: The ID of the network interface attachment. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the network interface is deleted when the instance is terminated. + description: Describes an attachment change. + - name: Description + in: query + required: false + description: A description for the network interface. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SecurityGroupId + in: query + required: false + description: 'Changes the security groups for the network interface. The new set of groups you specify replaces the current set. You must specify at least one group, even if it''s just the default security group in the VPC. You must specify the ID of the security group, not the name.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: SecurityGroupId + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + - name: SourceDestCheck + in: query + required: false + description: 'Enable or disable source/destination checks, which ensure that the instance is either the source or the destination of any traffic that it receives. If the value is true, source/destination checks are enabled; otherwise, they are disabled. The default value is true. You must disable source/destination checks if the instance runs services such as network address translation, routing, or firewalls.' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyNetworkInterfaceAttribute + operationId: POST_ModifyNetworkInterfaceAttribute + description: Modifies the specified network interface attribute. You can specify only one attribute at a time. You can use this action to attach and detach security groups from an existing EC2 instance. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyNetworkInterfaceAttributeRequest' + parameters: [] + /?Action=ModifyPrivateDnsNameOptions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyPrivateDnsNameOptions + operationId: GET_ModifyPrivateDnsNameOptions + description: Modifies the options for instance hostnames for the specified instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyPrivateDnsNameOptionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: false + description: The ID of the instance. + schema: + type: string + - name: PrivateDnsHostnameType + in: query + required: false + description: 'The type of hostname for EC2 instances. For IPv4 only subnets, an instance DNS name must be based on the instance IPv4 address. For IPv6 only subnets, an instance DNS name must be based on the instance ID. For dual-stack subnets, you can specify whether DNS names use the instance IPv4 address or the instance ID.' + schema: + type: string + enum: + - ip-name + - resource-name + - name: EnableResourceNameDnsARecord + in: query + required: false + description: Indicates whether to respond to DNS queries for instance hostnames with DNS A records. + schema: + type: boolean + - name: EnableResourceNameDnsAAAARecord + in: query + required: false + description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyPrivateDnsNameOptions + operationId: POST_ModifyPrivateDnsNameOptions + description: Modifies the options for instance hostnames for the specified instance. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyPrivateDnsNameOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyPrivateDnsNameOptionsRequest' + parameters: [] + /?Action=ModifyReservedInstances&Version=2016-11-15: + get: + x-aws-operation-name: ModifyReservedInstances + operationId: GET_ModifyReservedInstances + description: '

Modifies the Availability Zone, instance count, instance type, or network platform (EC2-Classic or EC2-VPC) of your Reserved Instances. The Reserved Instances to be modified must be identical, except for Availability Zone, network platform, and instance type.

For more information, see Modifying Reserved Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyReservedInstancesResult' + parameters: + - name: ReservedInstancesId + in: query + required: true + description: The IDs of the Reserved Instances to modify. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: ReservedInstancesId + - name: ClientToken + in: query + required: false + description: 'A unique, case-sensitive token you provide to ensure idempotency of your modification request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: ReservedInstancesConfigurationSetItemType + in: query + required: true + description: The configuration settings for the Reserved Instances to modify. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesConfiguration' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyReservedInstances + operationId: POST_ModifyReservedInstances + description: '

Modifies the Availability Zone, instance count, instance type, or network platform (EC2-Classic or EC2-VPC) of your Reserved Instances. The Reserved Instances to be modified must be identical, except for Availability Zone, network platform, and instance type.

For more information, see Modifying Reserved Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyReservedInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyReservedInstancesRequest' + parameters: [] + /?Action=ModifySecurityGroupRules&Version=2016-11-15: + get: + x-aws-operation-name: ModifySecurityGroupRules + operationId: GET_ModifySecurityGroupRules + description: Modifies the rules of a security group. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySecurityGroupRulesResult' + parameters: + - name: GroupId + in: query + required: true + description: The ID of the security group. + schema: + type: string + - name: SecurityGroupRule + in: query + required: true + description: Information about the security group properties to update. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleUpdate' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifySecurityGroupRules + operationId: POST_ModifySecurityGroupRules + description: Modifies the rules of a security group. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySecurityGroupRulesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySecurityGroupRulesRequest' + parameters: [] + /?Action=ModifySnapshotAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifySnapshotAttribute + operationId: GET_ModifySnapshotAttribute + description: '

Adds or removes permission settings for the specified snapshot. You may add or remove specified Amazon Web Services account IDs from a snapshot''s list of create volume permissions, but you cannot do both in a single operation. If you need to both add and remove account IDs for a snapshot, you must use multiple operations. You can make up to 500 modifications to a snapshot in a single operation.

Encrypted snapshots and snapshots with Amazon Web Services Marketplace product codes cannot be made public. Snapshots encrypted with your default KMS key cannot be shared with other accounts.

For more information about modifying snapshot permissions, see Share a snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: Attribute + in: query + required: false + description: The snapshot attribute to modify. Only volume creation permissions can be modified. + schema: + type: string + enum: + - productCodes + - createVolumePermission + - name: CreateVolumePermission + in: query + required: false + description: A JSON representation of the snapshot attribute modification. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CreateVolumePermissionList' + - description: Removes the specified Amazon Web Services account ID or group from the list. + description: Describes modifications to the list of create volume permissions for a volume. + - name: UserGroup + in: query + required: false + description: The group to modify for the snapshot. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupName' + - xml: + name: GroupName + - name: OperationType + in: query + required: false + description: The type of operation to perform to the attribute. + schema: + type: string + enum: + - add + - remove + - name: SnapshotId + in: query + required: true + description: The ID of the snapshot. + schema: + type: string + - name: UserId + in: query + required: false + description: The account ID to modify for the snapshot. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifySnapshotAttribute + operationId: POST_ModifySnapshotAttribute + description: '

Adds or removes permission settings for the specified snapshot. You may add or remove specified Amazon Web Services account IDs from a snapshot''s list of create volume permissions, but you cannot do both in a single operation. If you need to both add and remove account IDs for a snapshot, you must use multiple operations. You can make up to 500 modifications to a snapshot in a single operation.

Encrypted snapshots and snapshots with Amazon Web Services Marketplace product codes cannot be made public. Snapshots encrypted with your default KMS key cannot be shared with other accounts.

For more information about modifying snapshot permissions, see Share a snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySnapshotAttributeRequest' + parameters: [] + /?Action=ModifySnapshotTier&Version=2016-11-15: + get: + x-aws-operation-name: ModifySnapshotTier + operationId: GET_ModifySnapshotTier + description: 'Archives an Amazon EBS snapshot. When you archive a snapshot, it is converted to a full snapshot that includes all of the blocks of data that were written to the volume at the time the snapshot was created, and moved from the standard tier to the archive tier. For more information, see Archive Amazon EBS snapshots in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySnapshotTierResult' + parameters: + - name: SnapshotId + in: query + required: true + description: The ID of the snapshot. + schema: + type: string + - name: StorageTier + in: query + required: false + description: The name of the storage tier. You must specify archive. + schema: + type: string + enum: + - archive + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifySnapshotTier + operationId: POST_ModifySnapshotTier + description: 'Archives an Amazon EBS snapshot. When you archive a snapshot, it is converted to a full snapshot that includes all of the blocks of data that were written to the volume at the time the snapshot was created, and moved from the standard tier to the archive tier. For more information, see Archive Amazon EBS snapshots in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySnapshotTierResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySnapshotTierRequest' + parameters: [] + /?Action=ModifySpotFleetRequest&Version=2016-11-15: + get: + x-aws-operation-name: ModifySpotFleetRequest + operationId: GET_ModifySpotFleetRequest + description: '

Modifies the specified Spot Fleet request.

You can only modify a Spot Fleet request of type maintain.

While the Spot Fleet request is being modified, it is in the modifying state.

To scale up your Spot Fleet, increase its target capacity. The Spot Fleet launches the additional Spot Instances according to the allocation strategy for the Spot Fleet request. If the allocation strategy is lowestPrice, the Spot Fleet launches instances using the Spot Instance pool with the lowest price. If the allocation strategy is diversified, the Spot Fleet distributes the instances across the Spot Instance pools. If the allocation strategy is capacityOptimized, Spot Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching.

To scale down your Spot Fleet, decrease its target capacity. First, the Spot Fleet cancels any open requests that exceed the new target capacity. You can request that the Spot Fleet terminate Spot Instances until the size of the fleet no longer exceeds the new target capacity. If the allocation strategy is lowestPrice, the Spot Fleet terminates the instances with the highest price per unit. If the allocation strategy is capacityOptimized, the Spot Fleet terminates the instances in the Spot Instance pools that have the least available Spot Instance capacity. If the allocation strategy is diversified, the Spot Fleet terminates instances across the Spot Instance pools. Alternatively, you can request that the Spot Fleet keep the fleet at its current size, but not replace any Spot Instances that are interrupted or that you terminate manually.

If you are finished with your Spot Fleet for now, but will use it again later, you can set the target capacity to 0.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySpotFleetRequestResponse' + parameters: + - name: ExcessCapacityTerminationPolicy + in: query + required: false + description: Indicates whether running Spot Instances should be terminated if the target capacity of the Spot Fleet request is decreased below the current size of the Spot Fleet. + schema: + type: string + enum: + - noTermination + - default + - name: LaunchTemplateConfig + in: query + required: false + description: 'The launch template and overrides. You can only use this parameter if you specified a launch template (LaunchTemplateConfigs) in your Spot Fleet request. If you specified LaunchSpecifications in your Spot Fleet request, then omit this parameter.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateConfig' + - xml: + name: item + - name: SpotFleetRequestId + in: query + required: true + description: The ID of the Spot Fleet request. + schema: + type: string + - name: TargetCapacity + in: query + required: false + description: The size of the fleet. + schema: + type: integer + - name: OnDemandTargetCapacity + in: query + required: false + description: The number of On-Demand Instances in the fleet. + schema: + type: integer + - name: Context + in: query + required: false + description: Reserved. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifySpotFleetRequest + operationId: POST_ModifySpotFleetRequest + description: '

Modifies the specified Spot Fleet request.

You can only modify a Spot Fleet request of type maintain.

While the Spot Fleet request is being modified, it is in the modifying state.

To scale up your Spot Fleet, increase its target capacity. The Spot Fleet launches the additional Spot Instances according to the allocation strategy for the Spot Fleet request. If the allocation strategy is lowestPrice, the Spot Fleet launches instances using the Spot Instance pool with the lowest price. If the allocation strategy is diversified, the Spot Fleet distributes the instances across the Spot Instance pools. If the allocation strategy is capacityOptimized, Spot Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching.

To scale down your Spot Fleet, decrease its target capacity. First, the Spot Fleet cancels any open requests that exceed the new target capacity. You can request that the Spot Fleet terminate Spot Instances until the size of the fleet no longer exceeds the new target capacity. If the allocation strategy is lowestPrice, the Spot Fleet terminates the instances with the highest price per unit. If the allocation strategy is capacityOptimized, the Spot Fleet terminates the instances in the Spot Instance pools that have the least available Spot Instance capacity. If the allocation strategy is diversified, the Spot Fleet terminates instances across the Spot Instance pools. Alternatively, you can request that the Spot Fleet keep the fleet at its current size, but not replace any Spot Instances that are interrupted or that you terminate manually.

If you are finished with your Spot Fleet for now, but will use it again later, you can set the target capacity to 0.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySpotFleetRequestResponse' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySpotFleetRequestRequest' + parameters: [] + /?Action=ModifySubnetAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifySubnetAttribute + operationId: GET_ModifySubnetAttribute + description: '

Modifies a subnet attribute. You can only modify one attribute at a time.

Use this action to modify subnets on Amazon Web Services Outposts.

For more information about Amazon Web Services Outposts, see the following:

' + responses: + '200': + description: Success + parameters: + - name: AssignIpv6AddressOnCreation + in: query + required: false + description: '

Specify true to indicate that network interfaces created in the specified subnet should be assigned an IPv6 address. This includes a network interface that''s created when launching an instance into the subnet (the instance therefore receives an IPv6 address).

If you enable the IPv6 addressing feature for your subnet, your network interface or instance only receives an IPv6 address if it''s created using version 2016-11-15 or later of the Amazon EC2 API.

' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: MapPublicIpOnLaunch + in: query + required: false + description: Specify true to indicate that network interfaces attached to instances created in the specified subnet should be assigned a public IPv4 address. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: SubnetId + in: query + required: true + description: The ID of the subnet. + schema: + type: string + - name: MapCustomerOwnedIpOnLaunch + in: query + required: false + description: '

Specify true to indicate that network interfaces attached to instances created in the specified subnet should be assigned a customer-owned IPv4 address.

When this value is true, you must specify the customer-owned IP pool using CustomerOwnedIpv4Pool.

' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: CustomerOwnedIpv4Pool + in: query + required: false + description:

The customer-owned IPv4 address pool associated with the subnet.

You must set this value when you specify true for MapCustomerOwnedIpOnLaunch.

+ schema: + type: string + - name: EnableDns64 + in: query + required: false + description: Indicates whether DNS queries made to the Amazon-provided DNS Resolver in this subnet should return synthetic IPv6 addresses for IPv4-only destinations. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: PrivateDnsHostnameTypeOnLaunch + in: query + required: false + description: 'The type of hostname to assign to instances in the subnet at launch. For IPv4-only and dual-stack (IPv4 and IPv6) subnets, an instance DNS name can be based on the instance IPv4 address (ip-name) or the instance ID (resource-name). For IPv6 only subnets, an instance DNS name must be based on the instance ID (resource-name).' + schema: + type: string + enum: + - ip-name + - resource-name + - name: EnableResourceNameDnsARecordOnLaunch + in: query + required: false + description: Indicates whether to respond to DNS queries for instance hostnames with DNS A records. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: EnableResourceNameDnsAAAARecordOnLaunch + in: query + required: false + description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: EnableLniAtDeviceIndex + in: query + required: false + description: ' Indicates the device position for local network interfaces in this subnet. For example, 1 indicates local network interfaces in this subnet are the secondary network interface (eth1). A local network interface cannot be the primary network interface (eth0). ' + schema: + type: integer + - name: DisableLniAtDeviceIndex + in: query + required: false + description: ' Specify true to indicate that local network interfaces at the current position should be disabled. ' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifySubnetAttribute + operationId: POST_ModifySubnetAttribute + description: '

Modifies a subnet attribute. You can only modify one attribute at a time.

Use this action to modify subnets on Amazon Web Services Outposts.

For more information about Amazon Web Services Outposts, see the following:

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifySubnetAttributeRequest' + parameters: [] + /?Action=ModifyTrafficMirrorFilterNetworkServices&Version=2016-11-15: + get: + x-aws-operation-name: ModifyTrafficMirrorFilterNetworkServices + operationId: GET_ModifyTrafficMirrorFilterNetworkServices + description: '

Allows or restricts mirroring network services.

By default, Amazon DNS network services are not eligible for Traffic Mirror. Use AddNetworkServices to add network services to a Traffic Mirror filter. When a network service is added to the Traffic Mirror filter, all traffic related to that network service will be mirrored. When you no longer want to mirror network services, use RemoveNetworkServices to remove the network services from the Traffic Mirror filter.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorFilterNetworkServicesResult' + parameters: + - name: TrafficMirrorFilterId + in: query + required: true + description: The ID of the Traffic Mirror filter. + schema: + type: string + - name: AddNetworkService + in: query + required: false + description: 'The network service, for example Amazon DNS, that you want to mirror.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorNetworkService' + - xml: + name: item + - name: RemoveNetworkService + in: query + required: false + description: 'The network service, for example Amazon DNS, that you no longer want to mirror.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorNetworkService' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyTrafficMirrorFilterNetworkServices + operationId: POST_ModifyTrafficMirrorFilterNetworkServices + description: '

Allows or restricts mirroring network services.

By default, Amazon DNS network services are not eligible for Traffic Mirror. Use AddNetworkServices to add network services to a Traffic Mirror filter. When a network service is added to the Traffic Mirror filter, all traffic related to that network service will be mirrored. When you no longer want to mirror network services, use RemoveNetworkServices to remove the network services from the Traffic Mirror filter.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorFilterNetworkServicesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorFilterNetworkServicesRequest' + parameters: [] + /?Action=ModifyTrafficMirrorFilterRule&Version=2016-11-15: + get: + x-aws-operation-name: ModifyTrafficMirrorFilterRule + operationId: GET_ModifyTrafficMirrorFilterRule + description:

Modifies the specified Traffic Mirror rule.

DestinationCidrBlock and SourceCidrBlock must both be an IPv4 range or an IPv6 range.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorFilterRuleResult' + parameters: + - name: TrafficMirrorFilterRuleId + in: query + required: true + description: The ID of the Traffic Mirror rule. + schema: + type: string + - name: TrafficDirection + in: query + required: false + description: The type of traffic to assign to the rule. + schema: + type: string + enum: + - ingress + - egress + - name: RuleNumber + in: query + required: false + description: The number of the Traffic Mirror rule. This number must be unique for each Traffic Mirror rule in a given direction. The rules are processed in ascending order by rule number. + schema: + type: integer + - name: RuleAction + in: query + required: false + description: The action to assign to the rule. + schema: + type: string + enum: + - accept + - reject + - name: DestinationPortRange + in: query + required: false + description: The destination ports that are associated with the Traffic Mirror rule. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the Traffic Mirror port range. This applies to the TCP and UDP protocols. + description: Information about the Traffic Mirror filter rule port range. + - name: SourcePortRange + in: query + required: false + description: The port range to assign to the Traffic Mirror rule. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the Traffic Mirror port range. This applies to the TCP and UDP protocols. + description: Information about the Traffic Mirror filter rule port range. + - name: Protocol + in: query + required: false + description: 'The protocol, for example TCP, to assign to the Traffic Mirror rule.' + schema: + type: integer + - name: DestinationCidrBlock + in: query + required: false + description: The destination CIDR block to assign to the Traffic Mirror rule. + schema: + type: string + - name: SourceCidrBlock + in: query + required: false + description: The source CIDR block to assign to the Traffic Mirror rule. + schema: + type: string + - name: Description + in: query + required: false + description: The description to assign to the Traffic Mirror rule. + schema: + type: string + - name: RemoveField + in: query + required: false + description: '

The properties that you want to remove from the Traffic Mirror filter rule.

When you remove a property from a Traffic Mirror filter rule, the property is set to the default.

' + schema: + type: array + items: + $ref: '#/components/schemas/TrafficMirrorFilterRuleField' + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyTrafficMirrorFilterRule + operationId: POST_ModifyTrafficMirrorFilterRule + description:

Modifies the specified Traffic Mirror rule.

DestinationCidrBlock and SourceCidrBlock must both be an IPv4 range or an IPv6 range.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorFilterRuleResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorFilterRuleRequest' + parameters: [] + /?Action=ModifyTrafficMirrorSession&Version=2016-11-15: + get: + x-aws-operation-name: ModifyTrafficMirrorSession + operationId: GET_ModifyTrafficMirrorSession + description: Modifies a Traffic Mirror session. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorSessionResult' + parameters: + - name: TrafficMirrorSessionId + in: query + required: true + description: The ID of the Traffic Mirror session. + schema: + type: string + - name: TrafficMirrorTargetId + in: query + required: false + description: 'The Traffic Mirror target. The target must be in the same VPC as the source, or have a VPC peering connection with the source.' + schema: + type: string + - name: TrafficMirrorFilterId + in: query + required: false + description: The ID of the Traffic Mirror filter. + schema: + type: string + - name: PacketLength + in: query + required: false + description: 'The number of bytes in each packet to mirror. These are bytes after the VXLAN header. To mirror a subset, set this to the length (in bytes) to mirror. For example, if you set this value to 100, then the first 100 bytes that meet the filter criteria are copied to the target. Do not specify this parameter when you want to mirror the entire packet.' + schema: + type: integer + - name: SessionNumber + in: query + required: false + description:

The session number determines the order in which sessions are evaluated when an interface is used by multiple sessions. The first session with a matching filter is the one that mirrors the packets.

Valid values are 1-32766.

+ schema: + type: integer + - name: VirtualNetworkId + in: query + required: false + description: The virtual network ID of the Traffic Mirror session. + schema: + type: integer + - name: Description + in: query + required: false + description: The description to assign to the Traffic Mirror session. + schema: + type: string + - name: RemoveField + in: query + required: false + description: '

The properties that you want to remove from the Traffic Mirror session.

When you remove a property from a Traffic Mirror session, the property is set to the default.

' + schema: + type: array + items: + $ref: '#/components/schemas/TrafficMirrorSessionField' + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyTrafficMirrorSession + operationId: POST_ModifyTrafficMirrorSession + description: Modifies a Traffic Mirror session. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorSessionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTrafficMirrorSessionRequest' + parameters: [] + /?Action=ModifyTransitGateway&Version=2016-11-15: + get: + x-aws-operation-name: ModifyTransitGateway + operationId: GET_ModifyTransitGateway + description: 'Modifies the specified transit gateway. When you modify a transit gateway, the modified options are applied to new transit gateway attachments only. Your existing transit gateway attachments are not modified.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayResult' + parameters: + - name: TransitGatewayId + in: query + required: true + description: The ID of the transit gateway. + schema: + type: string + - name: Description + in: query + required: false + description: The description for the transit gateway. + schema: + type: string + - name: Options + in: query + required: false + description: The options to modify. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the default propagation route table. + description: The transit gateway options. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyTransitGateway + operationId: POST_ModifyTransitGateway + description: 'Modifies the specified transit gateway. When you modify a transit gateway, the modified options are applied to new transit gateway attachments only. Your existing transit gateway attachments are not modified.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayRequest' + parameters: [] + /?Action=ModifyTransitGatewayPrefixListReference&Version=2016-11-15: + get: + x-aws-operation-name: ModifyTransitGatewayPrefixListReference + operationId: GET_ModifyTransitGatewayPrefixListReference + description: Modifies a reference (route) to a prefix list in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayPrefixListReferenceResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the attachment to which traffic is routed. + schema: + type: string + - name: Blackhole + in: query + required: false + description: Indicates whether to drop traffic that matches this route. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyTransitGatewayPrefixListReference + operationId: POST_ModifyTransitGatewayPrefixListReference + description: Modifies a reference (route) to a prefix list in a specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayPrefixListReferenceResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayPrefixListReferenceRequest' + parameters: [] + /?Action=ModifyTransitGatewayVpcAttachment&Version=2016-11-15: + get: + x-aws-operation-name: ModifyTransitGatewayVpcAttachment + operationId: GET_ModifyTransitGatewayVpcAttachment + description: Modifies the specified VPC attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayVpcAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: AddSubnetIds + in: query + required: false + description: The IDs of one or more subnets to add. You can specify at most one subnet per Availability Zone. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: RemoveSubnetIds + in: query + required: false + description: The IDs of one or more subnets to remove. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: Options + in: query + required: false + description: The new VPC attachment options. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ApplianceModeSupportValue' + - description: 'Enable or disable support for appliance mode. If enabled, a traffic flow between a source and destination uses the same Availability Zone for the VPC attachment for the lifetime of that flow. The default is disable.' + description: Describes the options for a VPC attachment. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyTransitGatewayVpcAttachment + operationId: POST_ModifyTransitGatewayVpcAttachment + description: Modifies the specified VPC attachment. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayVpcAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyTransitGatewayVpcAttachmentRequest' + parameters: [] + /?Action=ModifyVolume&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVolume + operationId: GET_ModifyVolume + description: '

You can modify several parameters of an existing EBS volume, including volume size, volume type, and IOPS capacity. If your EBS volume is attached to a current-generation EC2 instance type, you might be able to apply these changes without stopping the instance or detaching the volume from it. For more information about modifying EBS volumes, see Amazon EBS Elastic Volumes (Linux instances) or Amazon EBS Elastic Volumes (Windows instances).

When you complete a resize operation on your volume, you need to extend the volume''s file-system size to take advantage of the new storage capacity. For more information, see Extend a Linux file system or Extend a Windows file system.

You can use CloudWatch Events to check the status of a modification to an EBS volume. For information about CloudWatch Events, see the Amazon CloudWatch Events User Guide. You can also track the status of a modification using DescribeVolumesModifications. For information about tracking status changes using either method, see Monitor the progress of volume modifications.

With previous-generation instance types, resizing an EBS volume might require detaching and reattaching the volume or stopping and restarting the instance.

After modifying a volume, you must wait at least six hours and ensure that the volume is in the in-use or available state before you can modify the same volume. This is sometimes referred to as a cooldown period.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVolumeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VolumeId + in: query + required: true + description: The ID of the volume. + schema: + type: string + - name: Size + in: query + required: false + description: '

The target size of the volume, in GiB. The target volume size must be greater than or equal to the existing size of the volume.

The following are the supported volumes sizes for each volume type:

Default: The existing size is retained.

' + schema: + type: integer + - name: VolumeType + in: query + required: false + description: '

The target EBS volume type of the volume. For more information, see Amazon EBS volume types in the Amazon Elastic Compute Cloud User Guide.

Default: The existing type is retained.

' + schema: + type: string + enum: + - standard + - io1 + - io2 + - gp2 + - sc1 + - st1 + - gp3 + - name: Iops + in: query + required: false + description: '

The target IOPS rate of the volume. This parameter is valid only for gp3, io1, and io2 volumes.

The following are the supported values for each volume type:

Default: The existing value is retained if you keep the same volume type. If you change the volume type to io1, io2, or gp3, the default is 3,000.

' + schema: + type: integer + - name: Throughput + in: query + required: false + description: '

The target throughput of the volume, in MiB/s. This parameter is valid only for gp3 volumes. The maximum value is 1,000.

Default: The existing value is retained if the source and target volume type is gp3. Otherwise, the default value is 125.

Valid Range: Minimum value of 125. Maximum value of 1000.

' + schema: + type: integer + - name: MultiAttachEnabled + in: query + required: false + description: 'Specifies whether to enable Amazon EBS Multi-Attach. If you enable Multi-Attach, you can attach the volume to up to 16 Nitro-based instances in the same Availability Zone. This parameter is supported with io1 and io2 volumes only. For more information, see Amazon EBS Multi-Attach in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVolume + operationId: POST_ModifyVolume + description: '

You can modify several parameters of an existing EBS volume, including volume size, volume type, and IOPS capacity. If your EBS volume is attached to a current-generation EC2 instance type, you might be able to apply these changes without stopping the instance or detaching the volume from it. For more information about modifying EBS volumes, see Amazon EBS Elastic Volumes (Linux instances) or Amazon EBS Elastic Volumes (Windows instances).

When you complete a resize operation on your volume, you need to extend the volume''s file-system size to take advantage of the new storage capacity. For more information, see Extend a Linux file system or Extend a Windows file system.

You can use CloudWatch Events to check the status of a modification to an EBS volume. For information about CloudWatch Events, see the Amazon CloudWatch Events User Guide. You can also track the status of a modification using DescribeVolumesModifications. For information about tracking status changes using either method, see Monitor the progress of volume modifications.

With previous-generation instance types, resizing an EBS volume might require detaching and reattaching the volume or stopping and restarting the instance.

After modifying a volume, you must wait at least six hours and ensure that the volume is in the in-use or available state before you can modify the same volume. This is sometimes referred to as a cooldown period.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVolumeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVolumeRequest' + parameters: [] + /?Action=ModifyVolumeAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVolumeAttribute + operationId: GET_ModifyVolumeAttribute + description: '

Modifies a volume attribute.

By default, all I/O operations for the volume are suspended when the data on the volume is determined to be potentially inconsistent, to prevent undetectable, latent data corruption. The I/O access to the volume can be resumed by first enabling I/O access and then checking the data consistency on your volume.

You can change the default behavior to resume I/O operations. We recommend that you change this only for boot volumes or for volumes that are stateless or disposable.

' + responses: + '200': + description: Success + parameters: + - name: AutoEnableIO + in: query + required: false + description: Indicates whether the volume should be auto-enabled for I/O operations. + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: VolumeId + in: query + required: true + description: The ID of the volume. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVolumeAttribute + operationId: POST_ModifyVolumeAttribute + description: '

Modifies a volume attribute.

By default, all I/O operations for the volume are suspended when the data on the volume is determined to be potentially inconsistent, to prevent undetectable, latent data corruption. The I/O access to the volume can be resumed by first enabling I/O access and then checking the data consistency on your volume.

You can change the default behavior to resume I/O operations. We recommend that you change this only for boot volumes or for volumes that are stateless or disposable.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVolumeAttributeRequest' + parameters: [] + /?Action=ModifyVpcAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcAttribute + operationId: GET_ModifyVpcAttribute + description: Modifies the specified attribute of the specified VPC. + responses: + '200': + description: Success + parameters: + - name: EnableDnsHostnames + in: query + required: false + description: '

Indicates whether the instances launched in the VPC get DNS hostnames. If enabled, instances in the VPC get DNS hostnames; otherwise, they do not.

You cannot modify the DNS resolution and DNS hostnames attributes in the same request. Use separate requests for each attribute. You can only enable DNS hostnames if you''ve enabled DNS support.

' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: EnableDnsSupport + in: query + required: false + description: '

Indicates whether the DNS resolution is supported for the VPC. If enabled, queries to the Amazon provided DNS server at the 169.254.169.253 IP address, or the reserved IP address at the base of the VPC network range "plus two" succeed. If disabled, the Amazon provided DNS service in the VPC that resolves public DNS hostnames to IP addresses is not enabled.

You cannot modify the DNS resolution and DNS hostnames attributes in the same request. Use separate requests for each attribute.

' + schema: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcAttribute + operationId: POST_ModifyVpcAttribute + description: Modifies the specified attribute of the specified VPC. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcAttributeRequest' + parameters: [] + /?Action=ModifyVpcEndpoint&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcEndpoint + operationId: GET_ModifyVpcEndpoint + description: 'Modifies attributes of a specified VPC endpoint. The attributes that you can modify depend on the type of VPC endpoint (interface, gateway, or Gateway Load Balancer). For more information, see the Amazon Web Services PrivateLink Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcEndpointId + in: query + required: true + description: The ID of the endpoint. + schema: + type: string + - name: ResetPolicy + in: query + required: false + description: (Gateway endpoint) Specify true to reset the policy document to the default policy. The default policy allows full access to the service. + schema: + type: boolean + - name: PolicyDocument + in: query + required: false + description: (Interface and gateway endpoints) A policy to attach to the endpoint that controls access to the service. The policy must be in valid JSON format. + schema: + type: string + - name: AddRouteTableId + in: query + required: false + description: (Gateway endpoint) One or more route tables IDs to associate with the endpoint. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - xml: + name: item + - name: RemoveRouteTableId + in: query + required: false + description: (Gateway endpoint) One or more route table IDs to disassociate from the endpoint. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - xml: + name: item + - name: AddSubnetId + in: query + required: false + description: '(Interface and Gateway Load Balancer endpoints) One or more subnet IDs in which to serve the endpoint. For a Gateway Load Balancer endpoint, you can specify only one subnet.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: RemoveSubnetId + in: query + required: false + description: (Interface endpoint) One or more subnets IDs in which to remove the endpoint. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + - name: AddSecurityGroupId + in: query + required: false + description: (Interface endpoint) One or more security group IDs to associate with the network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + - name: RemoveSecurityGroupId + in: query + required: false + description: (Interface endpoint) One or more security group IDs to disassociate from the network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + - name: IpAddressType + in: query + required: false + description: The IP address type for the endpoint. + schema: + type: string + enum: + - ipv4 + - dualstack + - ipv6 + - name: DnsOptions + in: query + required: false + description: The DNS options for the endpoint. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DnsRecordIpType' + - description: The DNS records created for the endpoint. + description: Describes the DNS options for an endpoint. + - name: PrivateDnsEnabled + in: query + required: false + description: (Interface endpoint) Indicates whether a private hosted zone is associated with the VPC. + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcEndpoint + operationId: POST_ModifyVpcEndpoint + description: 'Modifies attributes of a specified VPC endpoint. The attributes that you can modify depend on the type of VPC endpoint (interface, gateway, or Gateway Load Balancer). For more information, see the Amazon Web Services PrivateLink Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointRequest' + parameters: [] + /?Action=ModifyVpcEndpointConnectionNotification&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcEndpointConnectionNotification + operationId: GET_ModifyVpcEndpointConnectionNotification + description: 'Modifies a connection notification for VPC endpoint or VPC endpoint service. You can change the SNS topic for the notification, or the events for which to be notified. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointConnectionNotificationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ConnectionNotificationId + in: query + required: true + description: The ID of the notification. + schema: + type: string + - name: ConnectionNotificationArn + in: query + required: false + description: The ARN for the SNS topic for the notification. + schema: + type: string + - name: ConnectionEvents + in: query + required: false + description: 'One or more events for the endpoint. Valid values are Accept, Connect, Delete, and Reject.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcEndpointConnectionNotification + operationId: POST_ModifyVpcEndpointConnectionNotification + description: 'Modifies a connection notification for VPC endpoint or VPC endpoint service. You can change the SNS topic for the notification, or the events for which to be notified. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointConnectionNotificationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointConnectionNotificationRequest' + parameters: [] + /?Action=ModifyVpcEndpointServiceConfiguration&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcEndpointServiceConfiguration + operationId: GET_ModifyVpcEndpointServiceConfiguration + description: '

Modifies the attributes of your VPC endpoint service configuration. You can change the Network Load Balancers or Gateway Load Balancers for your service, and you can specify whether acceptance is required for requests to connect to your endpoint service through an interface VPC endpoint.

If you set or modify the private DNS name, you must prove that you own the private DNS domain name.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServiceConfigurationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the service. + schema: + type: string + - name: PrivateDnsName + in: query + required: false + description: (Interface endpoint configuration) The private DNS name to assign to the endpoint service. + schema: + type: string + - name: RemovePrivateDnsName + in: query + required: false + description: (Interface endpoint configuration) Removes the private DNS name of the endpoint service. + schema: + type: boolean + - name: AcceptanceRequired + in: query + required: false + description: Indicates whether requests to create an endpoint to your service must be accepted. + schema: + type: boolean + - name: AddNetworkLoadBalancerArn + in: query + required: false + description: The Amazon Resource Names (ARNs) of Network Load Balancers to add to your service configuration. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: RemoveNetworkLoadBalancerArn + in: query + required: false + description: The Amazon Resource Names (ARNs) of Network Load Balancers to remove from your service configuration. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: AddGatewayLoadBalancerArn + in: query + required: false + description: The Amazon Resource Names (ARNs) of Gateway Load Balancers to add to your service configuration. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: RemoveGatewayLoadBalancerArn + in: query + required: false + description: The Amazon Resource Names (ARNs) of Gateway Load Balancers to remove from your service configuration. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: AddSupportedIpAddressType + in: query + required: false + description: The IP address types to add to your service configuration. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: RemoveSupportedIpAddressType + in: query + required: false + description: The IP address types to remove from your service configuration. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcEndpointServiceConfiguration + operationId: POST_ModifyVpcEndpointServiceConfiguration + description: '

Modifies the attributes of your VPC endpoint service configuration. You can change the Network Load Balancers or Gateway Load Balancers for your service, and you can specify whether acceptance is required for requests to connect to your endpoint service through an interface VPC endpoint.

If you set or modify the private DNS name, you must prove that you own the private DNS domain name.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServiceConfigurationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServiceConfigurationRequest' + parameters: [] + /?Action=ModifyVpcEndpointServicePayerResponsibility&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcEndpointServicePayerResponsibility + operationId: GET_ModifyVpcEndpointServicePayerResponsibility + description: Modifies the payer responsibility for your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServicePayerResponsibilityResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the service. + schema: + type: string + - name: PayerResponsibility + in: query + required: true + description: 'The entity that is responsible for the endpoint costs. The default is the endpoint owner. If you set the payer responsibility to the service owner, you cannot set it back to the endpoint owner.' + schema: + type: string + enum: + - ServiceOwner + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcEndpointServicePayerResponsibility + operationId: POST_ModifyVpcEndpointServicePayerResponsibility + description: Modifies the payer responsibility for your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServicePayerResponsibilityResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServicePayerResponsibilityRequest' + parameters: [] + /?Action=ModifyVpcEndpointServicePermissions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcEndpointServicePermissions + operationId: GET_ModifyVpcEndpointServicePermissions + description: '

Modifies the permissions for your VPC endpoint service. You can add or remove permissions for service consumers (IAM users, IAM roles, and Amazon Web Services accounts) to connect to your endpoint service.

If you grant permissions to all principals, the service is public. Any users who know the name of a public service can send a request to attach an endpoint. If the service does not require manual approval, attachments are automatically approved.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServicePermissionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the service. + schema: + type: string + - name: AddAllowedPrincipals + in: query + required: false + description: 'The Amazon Resource Names (ARN) of one or more principals. Permissions are granted to the principals in this list. To grant permissions to all principals, specify an asterisk (*).' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: RemoveAllowedPrincipals + in: query + required: false + description: The Amazon Resource Names (ARN) of one or more principals. Permissions are revoked for principals in this list. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcEndpointServicePermissions + operationId: POST_ModifyVpcEndpointServicePermissions + description: '

Modifies the permissions for your VPC endpoint service. You can add or remove permissions for service consumers (IAM users, IAM roles, and Amazon Web Services accounts) to connect to your endpoint service.

If you grant permissions to all principals, the service is public. Any users who know the name of a public service can send a request to attach an endpoint. If the service does not require manual approval, attachments are automatically approved.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServicePermissionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcEndpointServicePermissionsRequest' + parameters: [] + /?Action=ModifyVpcPeeringConnectionOptions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcPeeringConnectionOptions + operationId: GET_ModifyVpcPeeringConnectionOptions + description: '

Modifies the VPC peering connection options on one side of a VPC peering connection. You can do the following:

If the peered VPCs are in the same Amazon Web Services account, you can enable DNS resolution for queries from the local VPC. This ensures that queries from the local VPC resolve to private IP addresses in the peer VPC. This option is not available if the peered VPCs are in different different Amazon Web Services accounts or different Regions. For peered VPCs in different Amazon Web Services accounts, each Amazon Web Services account owner must initiate a separate request to modify the peering connection options. For inter-region peering connections, you must use the Region for the requester VPC to modify the requester VPC peering options and the Region for the accepter VPC to modify the accepter VPC peering options. To verify which VPCs are the accepter and the requester for a VPC peering connection, use the DescribeVpcPeeringConnections command.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcPeeringConnectionOptionsResult' + parameters: + - name: AccepterPeeringConnectionOptions + in: query + required: false + description: The VPC peering connection options for the accepter VPC. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, enables outbound communication from instances in a local VPC to an EC2-Classic instance that''s linked to a peer VPC using ClassicLink.' + description: The VPC peering connection options. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RequesterPeeringConnectionOptions + in: query + required: false + description: The VPC peering connection options for the requester VPC. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, enables outbound communication from instances in a local VPC to an EC2-Classic instance that''s linked to a peer VPC using ClassicLink.' + description: The VPC peering connection options. + - name: VpcPeeringConnectionId + in: query + required: true + description: The ID of the VPC peering connection. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcPeeringConnectionOptions + operationId: POST_ModifyVpcPeeringConnectionOptions + description: '

Modifies the VPC peering connection options on one side of a VPC peering connection. You can do the following:

If the peered VPCs are in the same Amazon Web Services account, you can enable DNS resolution for queries from the local VPC. This ensures that queries from the local VPC resolve to private IP addresses in the peer VPC. This option is not available if the peered VPCs are in different different Amazon Web Services accounts or different Regions. For peered VPCs in different Amazon Web Services accounts, each Amazon Web Services account owner must initiate a separate request to modify the peering connection options. For inter-region peering connections, you must use the Region for the requester VPC to modify the requester VPC peering options and the Region for the accepter VPC to modify the accepter VPC peering options. To verify which VPCs are the accepter and the requester for a VPC peering connection, use the DescribeVpcPeeringConnections command.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcPeeringConnectionOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcPeeringConnectionOptionsRequest' + parameters: [] + /?Action=ModifyVpcTenancy&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpcTenancy + operationId: GET_ModifyVpcTenancy + description: '

Modifies the instance tenancy attribute of the specified VPC. You can change the instance tenancy attribute of a VPC to default only. You cannot change the instance tenancy attribute to dedicated.

After you modify the tenancy of the VPC, any new instances that you launch into the VPC have a tenancy of default, unless you specify otherwise during launch. The tenancy of any existing instances in the VPC is not affected.

For more information, see Dedicated Instances in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcTenancyResult' + parameters: + - name: VpcId + in: query + required: true + description: The ID of the VPC. + schema: + type: string + - name: InstanceTenancy + in: query + required: true + description: 'The instance tenancy attribute for the VPC. ' + schema: + type: string + enum: + - default + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpcTenancy + operationId: POST_ModifyVpcTenancy + description: '

Modifies the instance tenancy attribute of the specified VPC. You can change the instance tenancy attribute of a VPC to default only. You cannot change the instance tenancy attribute to dedicated.

After you modify the tenancy of the VPC, any new instances that you launch into the VPC have a tenancy of default, unless you specify otherwise during launch. The tenancy of any existing instances in the VPC is not affected.

For more information, see Dedicated Instances in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcTenancyResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpcTenancyRequest' + parameters: [] + /?Action=ModifyVpnConnection&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpnConnection + operationId: GET_ModifyVpnConnection + description: '

Modifies the customer gateway or the target gateway of an Amazon Web Services Site-to-Site VPN connection. To modify the target gateway, the following migration options are available:

Before you perform the migration to the new gateway, you must configure the new gateway. Use CreateVpnGateway to create a virtual private gateway, or CreateTransitGateway to create a transit gateway.

This step is required when you migrate from a virtual private gateway with static routes to a transit gateway.

You must delete the static routes before you migrate to the new gateway.

Keep a copy of the static route before you delete it. You will need to add back these routes to the transit gateway after the VPN connection migration is complete.

After you migrate to the new gateway, you might need to modify your VPC route table. Use CreateRoute and DeleteRoute to make the changes described in Update VPC route tables in the Amazon Web Services Site-to-Site VPN User Guide.

When the new gateway is a transit gateway, modify the transit gateway route table to allow traffic between the VPC and the Amazon Web Services Site-to-Site VPN connection. Use CreateTransitGatewayRoute to add the routes.

If you deleted VPN static routes, you must add the static routes to the transit gateway route table.

After you perform this operation, the VPN endpoint''s IP addresses on the Amazon Web Services side and the tunnel options remain intact. Your Amazon Web Services Site-to-Site VPN connection will be temporarily unavailable for a brief period while we provision the new endpoints.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnConnectionResult' + parameters: + - name: VpnConnectionId + in: query + required: true + description: The ID of the VPN connection. + schema: + type: string + - name: TransitGatewayId + in: query + required: false + description: The ID of the transit gateway. + schema: + type: string + - name: CustomerGatewayId + in: query + required: false + description: The ID of the customer gateway at your end of the VPN connection. + schema: + type: string + - name: VpnGatewayId + in: query + required: false + description: The ID of the virtual private gateway at the Amazon Web Services side of the VPN connection. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpnConnection + operationId: POST_ModifyVpnConnection + description: '

Modifies the customer gateway or the target gateway of an Amazon Web Services Site-to-Site VPN connection. To modify the target gateway, the following migration options are available:

Before you perform the migration to the new gateway, you must configure the new gateway. Use CreateVpnGateway to create a virtual private gateway, or CreateTransitGateway to create a transit gateway.

This step is required when you migrate from a virtual private gateway with static routes to a transit gateway.

You must delete the static routes before you migrate to the new gateway.

Keep a copy of the static route before you delete it. You will need to add back these routes to the transit gateway after the VPN connection migration is complete.

After you migrate to the new gateway, you might need to modify your VPC route table. Use CreateRoute and DeleteRoute to make the changes described in Update VPC route tables in the Amazon Web Services Site-to-Site VPN User Guide.

When the new gateway is a transit gateway, modify the transit gateway route table to allow traffic between the VPC and the Amazon Web Services Site-to-Site VPN connection. Use CreateTransitGatewayRoute to add the routes.

If you deleted VPN static routes, you must add the static routes to the transit gateway route table.

After you perform this operation, the VPN endpoint''s IP addresses on the Amazon Web Services side and the tunnel options remain intact. Your Amazon Web Services Site-to-Site VPN connection will be temporarily unavailable for a brief period while we provision the new endpoints.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnConnectionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnConnectionRequest' + parameters: [] + /?Action=ModifyVpnConnectionOptions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpnConnectionOptions + operationId: GET_ModifyVpnConnectionOptions + description: '

Modifies the connection options for your Site-to-Site VPN connection.

When you modify the VPN connection options, the VPN endpoint IP addresses on the Amazon Web Services side do not change, and the tunnel options do not change. Your VPN connection will be temporarily unavailable for a brief period while the VPN connection is updated.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnConnectionOptionsResult' + parameters: + - name: VpnConnectionId + in: query + required: true + description: 'The ID of the Site-to-Site VPN connection. ' + schema: + type: string + - name: LocalIpv4NetworkCidr + in: query + required: false + description: '

The IPv4 CIDR on the customer gateway (on-premises) side of the VPN connection.

Default: 0.0.0.0/0

' + schema: + type: string + - name: RemoteIpv4NetworkCidr + in: query + required: false + description: '

The IPv4 CIDR on the Amazon Web Services side of the VPN connection.

Default: 0.0.0.0/0

' + schema: + type: string + - name: LocalIpv6NetworkCidr + in: query + required: false + description: '

The IPv6 CIDR on the customer gateway (on-premises) side of the VPN connection.

Default: ::/0

' + schema: + type: string + - name: RemoteIpv6NetworkCidr + in: query + required: false + description: '

The IPv6 CIDR on the Amazon Web Services side of the VPN connection.

Default: ::/0

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpnConnectionOptions + operationId: POST_ModifyVpnConnectionOptions + description: '

Modifies the connection options for your Site-to-Site VPN connection.

When you modify the VPN connection options, the VPN endpoint IP addresses on the Amazon Web Services side do not change, and the tunnel options do not change. Your VPN connection will be temporarily unavailable for a brief period while the VPN connection is updated.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnConnectionOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnConnectionOptionsRequest' + parameters: [] + /?Action=ModifyVpnTunnelCertificate&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpnTunnelCertificate + operationId: GET_ModifyVpnTunnelCertificate + description: Modifies the VPN tunnel endpoint certificate. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnTunnelCertificateResult' + parameters: + - name: VpnConnectionId + in: query + required: true + description: The ID of the Amazon Web Services Site-to-Site VPN connection. + schema: + type: string + - name: VpnTunnelOutsideIpAddress + in: query + required: true + description: The external IP address of the VPN tunnel. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpnTunnelCertificate + operationId: POST_ModifyVpnTunnelCertificate + description: Modifies the VPN tunnel endpoint certificate. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnTunnelCertificateResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnTunnelCertificateRequest' + parameters: [] + /?Action=ModifyVpnTunnelOptions&Version=2016-11-15: + get: + x-aws-operation-name: ModifyVpnTunnelOptions + operationId: GET_ModifyVpnTunnelOptions + description: 'Modifies the options for a VPN tunnel in an Amazon Web Services Site-to-Site VPN connection. You can modify multiple options for a tunnel in a single request, but you can only modify one tunnel at a time. For more information, see Site-to-Site VPN tunnel options for your Site-to-Site VPN connection in the Amazon Web Services Site-to-Site VPN User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnTunnelOptionsResult' + parameters: + - name: VpnConnectionId + in: query + required: true + description: The ID of the Amazon Web Services Site-to-Site VPN connection. + schema: + type: string + - name: VpnTunnelOutsideIpAddress + in: query + required: true + description: The external IP address of the VPN tunnel. + schema: + type: string + - name: TunnelOptions + in: query + required: true + description: The tunnel options to modify. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The action to take after DPD timeout occurs. Specify restart to restart the IKE initiation. Specify clear to end the IKE session.

Valid Values: clear | none | restart

Default: clear

' + Phase1EncryptionAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase1EncryptionAlgorithmsRequestList' + - description: '

One or more encryption algorithms that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: AES128 | AES256 | AES128-GCM-16 | AES256-GCM-16

' + Phase2EncryptionAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase2EncryptionAlgorithmsRequestList' + - description: '

One or more encryption algorithms that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: AES128 | AES256 | AES128-GCM-16 | AES256-GCM-16

' + Phase1IntegrityAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase1IntegrityAlgorithmsRequestList' + - description: '

One or more integrity algorithms that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: SHA1 | SHA2-256 | SHA2-384 | SHA2-512

' + Phase2IntegrityAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase2IntegrityAlgorithmsRequestList' + - description: '

One or more integrity algorithms that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: SHA1 | SHA2-256 | SHA2-384 | SHA2-512

' + Phase1DHGroupNumber: + allOf: + - $ref: '#/components/schemas/Phase1DHGroupNumbersRequestList' + - description: '

One or more Diffie-Hellman group numbers that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: 2 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24

' + Phase2DHGroupNumber: + allOf: + - $ref: '#/components/schemas/Phase2DHGroupNumbersRequestList' + - description: '

One or more Diffie-Hellman group numbers that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: 2 | 5 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24

' + IKEVersion: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The action to take when the establishing the tunnel for the VPN connection. By default, your customer gateway device must initiate the IKE negotiation and bring up the tunnel. Specify start for Amazon Web Services to initiate the IKE negotiation.

Valid Values: add | start

Default: add

' + description: The Amazon Web Services Site-to-Site VPN tunnel options to modify. + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ModifyVpnTunnelOptions + operationId: POST_ModifyVpnTunnelOptions + description: 'Modifies the options for a VPN tunnel in an Amazon Web Services Site-to-Site VPN connection. You can modify multiple options for a tunnel in a single request, but you can only modify one tunnel at a time. For more information, see Site-to-Site VPN tunnel options for your Site-to-Site VPN connection in the Amazon Web Services Site-to-Site VPN User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnTunnelOptionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ModifyVpnTunnelOptionsRequest' + parameters: [] + /?Action=MonitorInstances&Version=2016-11-15: + get: + x-aws-operation-name: MonitorInstances + operationId: GET_MonitorInstances + description: '

Enables detailed monitoring for a running instance. Otherwise, basic monitoring is enabled. For more information, see Monitor your instances using CloudWatch in the Amazon EC2 User Guide.

To disable detailed monitoring, see UnmonitorInstances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/MonitorInstancesResult' + parameters: + - name: InstanceId + in: query + required: true + description: The IDs of the instances. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: MonitorInstances + operationId: POST_MonitorInstances + description: '

Enables detailed monitoring for a running instance. Otherwise, basic monitoring is enabled. For more information, see Monitor your instances using CloudWatch in the Amazon EC2 User Guide.

To disable detailed monitoring, see UnmonitorInstances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/MonitorInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/MonitorInstancesRequest' + parameters: [] + /?Action=MoveAddressToVpc&Version=2016-11-15: + get: + x-aws-operation-name: MoveAddressToVpc + operationId: GET_MoveAddressToVpc + description: 'Moves an Elastic IP address from the EC2-Classic platform to the EC2-VPC platform. The Elastic IP address must be allocated to your account for more than 24 hours, and it must not be associated with an instance. After the Elastic IP address is moved, it is no longer available for use in the EC2-Classic platform, unless you move it back using the RestoreAddressToClassic request. You cannot move an Elastic IP address that was originally allocated for use in the EC2-VPC platform to the EC2-Classic platform. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/MoveAddressToVpcResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PublicIp + in: query + required: true + description: The Elastic IP address. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: MoveAddressToVpc + operationId: POST_MoveAddressToVpc + description: 'Moves an Elastic IP address from the EC2-Classic platform to the EC2-VPC platform. The Elastic IP address must be allocated to your account for more than 24 hours, and it must not be associated with an instance. After the Elastic IP address is moved, it is no longer available for use in the EC2-Classic platform, unless you move it back using the RestoreAddressToClassic request. You cannot move an Elastic IP address that was originally allocated for use in the EC2-VPC platform to the EC2-Classic platform. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/MoveAddressToVpcResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/MoveAddressToVpcRequest' + parameters: [] + /?Action=MoveByoipCidrToIpam&Version=2016-11-15: + get: + x-aws-operation-name: MoveByoipCidrToIpam + operationId: GET_MoveByoipCidrToIpam + description: '

Move an BYOIP IPv4 CIDR to IPAM from a public IPv4 pool.

If you already have an IPv4 BYOIP CIDR with Amazon Web Services, you can move the CIDR to IPAM from a public IPv4 pool. You cannot move an IPv6 CIDR to IPAM. If you are bringing a new IP address to Amazon Web Services for the first time, complete the steps in Tutorial: BYOIP address CIDRs to IPAM.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/MoveByoipCidrToIpamResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Cidr + in: query + required: true + description: The BYOIP CIDR. + schema: + type: string + - name: IpamPoolId + in: query + required: true + description: The IPAM pool ID. + schema: + type: string + - name: IpamPoolOwner + in: query + required: true + description: The Amazon Web Services account ID of the owner of the IPAM pool. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: MoveByoipCidrToIpam + operationId: POST_MoveByoipCidrToIpam + description: '

Move an BYOIP IPv4 CIDR to IPAM from a public IPv4 pool.

If you already have an IPv4 BYOIP CIDR with Amazon Web Services, you can move the CIDR to IPAM from a public IPv4 pool. You cannot move an IPv6 CIDR to IPAM. If you are bringing a new IP address to Amazon Web Services for the first time, complete the steps in Tutorial: BYOIP address CIDRs to IPAM.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/MoveByoipCidrToIpamResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/MoveByoipCidrToIpamRequest' + parameters: [] + /?Action=ProvisionByoipCidr&Version=2016-11-15: + get: + x-aws-operation-name: ProvisionByoipCidr + operationId: GET_ProvisionByoipCidr + description: '

Provisions an IPv4 or IPv6 address range for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and creates a corresponding address pool. After the address range is provisioned, it is ready to be advertised using AdvertiseByoipCidr.

Amazon Web Services verifies that you own the address range and are authorized to advertise it. You must ensure that the address range is registered to you and that you created an RPKI ROA to authorize Amazon ASNs 16509 and 14618 to advertise the address range. For more information, see Bring your own IP addresses (BYOIP) in the Amazon Elastic Compute Cloud User Guide.

Provisioning an address range is an asynchronous operation, so the call returns immediately, but the address range is not ready to use until its status changes from pending-provision to provisioned. To monitor the status of an address range, use DescribeByoipCidrs. To allocate an Elastic IP address from your IPv4 address pool, use AllocateAddress with either the specific address from the address pool or the ID of the address pool.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionByoipCidrResult' + parameters: + - name: Cidr + in: query + required: true + description: 'The public IPv4 or IPv6 address range, in CIDR notation. The most specific IPv4 prefix that you can specify is /24. The most specific IPv6 prefix you can specify is /56. The address range cannot overlap with another address range that you''ve brought to this or another Region.' + schema: + type: string + - name: CidrAuthorizationContext + in: query + required: false + description: A signed document that proves that you are authorized to bring the specified IP address range to Amazon using BYOIP. + schema: + type: object + required: + - Message + - Signature + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The signed authorization message for the prefix and account. + description: 'Provides authorization for Amazon to bring a specific IP address range to a specific Amazon Web Services account using bring your own IP addresses (BYOIP). For more information, see Configuring your BYOIP address range in the Amazon Elastic Compute Cloud User Guide.' + - name: PubliclyAdvertisable + in: query + required: false + description: '

(IPv6 only) Indicate whether the address range will be publicly advertised to the internet.

Default: true

' + schema: + type: boolean + - name: Description + in: query + required: false + description: A description for the address range and the address pool. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PoolTagSpecification + in: query + required: false + description: The tags to apply to the address pool. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: MultiRegion + in: query + required: false + description: Reserved. + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ProvisionByoipCidr + operationId: POST_ProvisionByoipCidr + description: '

Provisions an IPv4 or IPv6 address range for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and creates a corresponding address pool. After the address range is provisioned, it is ready to be advertised using AdvertiseByoipCidr.

Amazon Web Services verifies that you own the address range and are authorized to advertise it. You must ensure that the address range is registered to you and that you created an RPKI ROA to authorize Amazon ASNs 16509 and 14618 to advertise the address range. For more information, see Bring your own IP addresses (BYOIP) in the Amazon Elastic Compute Cloud User Guide.

Provisioning an address range is an asynchronous operation, so the call returns immediately, but the address range is not ready to use until its status changes from pending-provision to provisioned. To monitor the status of an address range, use DescribeByoipCidrs. To allocate an Elastic IP address from your IPv4 address pool, use AllocateAddress with either the specific address from the address pool or the ID of the address pool.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionByoipCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionByoipCidrRequest' + parameters: [] + /?Action=ProvisionIpamPoolCidr&Version=2016-11-15: + get: + x-aws-operation-name: ProvisionIpamPoolCidr + operationId: GET_ProvisionIpamPoolCidr + description: '

Provision a CIDR to an IPAM pool. You can use this action to provision new CIDRs to a top-level pool or to transfer a CIDR from a top-level pool to a pool within it.

For more information, see Provision CIDRs to pools in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionIpamPoolCidrResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool to which you want to assign a CIDR. + schema: + type: string + - name: Cidr + in: query + required: false + description: The CIDR you want to assign to the IPAM pool. + schema: + type: string + - name: CidrAuthorizationContext + in: query + required: false + description: A signed document that proves that you are authorized to bring a specified IP address range to Amazon using BYOIP. This option applies to public pools only. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The signed authorization message for the prefix and account. + description: A signed document that proves that you are authorized to bring the specified IP address range to Amazon using BYOIP. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ProvisionIpamPoolCidr + operationId: POST_ProvisionIpamPoolCidr + description: '

Provision a CIDR to an IPAM pool. You can use this action to provision new CIDRs to a top-level pool or to transfer a CIDR from a top-level pool to a pool within it.

For more information, see Provision CIDRs to pools in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionIpamPoolCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionIpamPoolCidrRequest' + parameters: [] + /?Action=ProvisionPublicIpv4PoolCidr&Version=2016-11-15: + get: + x-aws-operation-name: ProvisionPublicIpv4PoolCidr + operationId: GET_ProvisionPublicIpv4PoolCidr + description: '

Provision a CIDR to a public IPv4 pool.

For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionPublicIpv4PoolCidrResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool you would like to use to allocate this CIDR. + schema: + type: string + - name: PoolId + in: query + required: true + description: The ID of the public IPv4 pool you would like to use for this CIDR. + schema: + type: string + - name: NetmaskLength + in: query + required: true + description: The netmask length of the CIDR you would like to allocate to the public IPv4 pool. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ProvisionPublicIpv4PoolCidr + operationId: POST_ProvisionPublicIpv4PoolCidr + description: '

Provision a CIDR to a public IPv4 pool.

For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionPublicIpv4PoolCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ProvisionPublicIpv4PoolCidrRequest' + parameters: [] + /?Action=PurchaseHostReservation&Version=2016-11-15: + get: + x-aws-operation-name: PurchaseHostReservation + operationId: GET_PurchaseHostReservation + description: Purchase a reservation with configurations that match those of your Dedicated Host. You must have active Dedicated Hosts in your account before you purchase a reservation. This action results in the specified reservation being purchased and charged to your account. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseHostReservationResult' + parameters: + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: CurrencyCode + in: query + required: false + description: 'The currency in which the totalUpfrontPrice, LimitPrice, and totalHourlyPrice amounts are specified. At this time, the only supported currency is USD.' + schema: + type: string + enum: + - USD + - name: HostIdSet + in: query + required: true + description: The IDs of the Dedicated Hosts with which the reservation will be associated. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + - name: LimitPrice + in: query + required: false + description: 'The specified limit is checked against the total upfront cost of the reservation (calculated as the offering''s upfront cost multiplied by the host count). If the total upfront cost is greater than the specified price limit, the request fails. This is used to ensure that the purchase does not exceed the expected upfront cost of the purchase. At this time, the only supported currency is USD. For example, to indicate a limit price of USD 100, specify 100.00.' + schema: + type: string + - name: OfferingId + in: query + required: true + description: The ID of the offering. + schema: + type: string + - name: TagSpecification + in: query + required: false + description: The tags to apply to the Dedicated Host Reservation during purchase. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: PurchaseHostReservation + operationId: POST_PurchaseHostReservation + description: Purchase a reservation with configurations that match those of your Dedicated Host. You must have active Dedicated Hosts in your account before you purchase a reservation. This action results in the specified reservation being purchased and charged to your account. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseHostReservationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseHostReservationRequest' + parameters: [] + /?Action=PurchaseReservedInstancesOffering&Version=2016-11-15: + get: + x-aws-operation-name: PurchaseReservedInstancesOffering + operationId: GET_PurchaseReservedInstancesOffering + description: '

Purchases a Reserved Instance for use with your account. With Reserved Instances, you pay a lower hourly rate compared to On-Demand instance pricing.

Use DescribeReservedInstancesOfferings to get a list of Reserved Instance offerings that match your specifications. After you''ve purchased a Reserved Instance, you can check for your new Reserved Instance with DescribeReservedInstances.

To queue a purchase for a future date and time, specify a purchase time. If you do not specify a purchase time, the default is the current time.

For more information, see Reserved Instances and Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseReservedInstancesOfferingResult' + parameters: + - name: InstanceCount + in: query + required: true + description: The number of Reserved Instances to purchase. + schema: + type: integer + - name: ReservedInstancesOfferingId + in: query + required: true + description: The ID of the Reserved Instance offering to purchase. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: LimitPrice + in: query + required: false + description: Specified for Reserved Instance Marketplace offerings to limit the total order and ensure that the Reserved Instances are not purchased at unexpected prices. + schema: + type: object + properties: + amount: + allOf: + - $ref: '#/components/schemas/Double' + - description: Used for Reserved Instance Marketplace offerings. Specifies the limit price on the total order (instanceCount * price). + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency in which the limitPrice amount is specified. At this time, the only supported currency is USD.' + description: Describes the limit price of a Reserved Instance offering. + - name: PurchaseTime + in: query + required: false + description: 'The time at which to purchase the Reserved Instance, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + schema: + type: string + format: date-time + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: PurchaseReservedInstancesOffering + operationId: POST_PurchaseReservedInstancesOffering + description: '

Purchases a Reserved Instance for use with your account. With Reserved Instances, you pay a lower hourly rate compared to On-Demand instance pricing.

Use DescribeReservedInstancesOfferings to get a list of Reserved Instance offerings that match your specifications. After you''ve purchased a Reserved Instance, you can check for your new Reserved Instance with DescribeReservedInstances.

To queue a purchase for a future date and time, specify a purchase time. If you do not specify a purchase time, the default is the current time.

For more information, see Reserved Instances and Reserved Instance Marketplace in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseReservedInstancesOfferingResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseReservedInstancesOfferingRequest' + parameters: [] + /?Action=PurchaseScheduledInstances&Version=2016-11-15: + get: + x-aws-operation-name: PurchaseScheduledInstances + operationId: GET_PurchaseScheduledInstances + description: '

Purchases the Scheduled Instances with the specified schedule.

Scheduled Instances enable you to purchase Amazon EC2 compute capacity by the hour for a one-year term. Before you can purchase a Scheduled Instance, you must call DescribeScheduledInstanceAvailability to check for available schedules and obtain a purchase token. After you purchase a Scheduled Instance, you must call RunScheduledInstances during each scheduled time period.

After you purchase a Scheduled Instance, you can''t cancel, modify, or resell your purchase.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseScheduledInstancesResult' + parameters: + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that ensures the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PurchaseRequest + in: query + required: true + description: The purchase requests. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/PurchaseRequest' + - xml: + name: PurchaseRequest + minItems: 1 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: PurchaseScheduledInstances + operationId: POST_PurchaseScheduledInstances + description: '

Purchases the Scheduled Instances with the specified schedule.

Scheduled Instances enable you to purchase Amazon EC2 compute capacity by the hour for a one-year term. Before you can purchase a Scheduled Instance, you must call DescribeScheduledInstanceAvailability to check for available schedules and obtain a purchase token. After you purchase a Scheduled Instance, you must call RunScheduledInstances during each scheduled time period.

After you purchase a Scheduled Instance, you can''t cancel, modify, or resell your purchase.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseScheduledInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/PurchaseScheduledInstancesRequest' + parameters: [] + /?Action=RebootInstances&Version=2016-11-15: + get: + x-aws-operation-name: RebootInstances + operationId: GET_RebootInstances + description: '

Requests a reboot of the specified instances. This operation is asynchronous; it only queues a request to reboot the specified instances. The operation succeeds if the instances are valid and belong to you. Requests to reboot terminated instances are ignored.

If an instance does not cleanly shut down within a few minutes, Amazon EC2 performs a hard reboot.

For more information about troubleshooting, see Troubleshoot an unreachable instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + parameters: + - name: InstanceId + in: query + required: true + description: The instance IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RebootInstances + operationId: POST_RebootInstances + description: '

Requests a reboot of the specified instances. This operation is asynchronous; it only queues a request to reboot the specified instances. The operation succeeds if the instances are valid and belong to you. Requests to reboot terminated instances are ignored.

If an instance does not cleanly shut down within a few minutes, Amazon EC2 performs a hard reboot.

For more information about troubleshooting, see Troubleshoot an unreachable instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RebootInstancesRequest' + parameters: [] + /?Action=RegisterImage&Version=2016-11-15: + get: + x-aws-operation-name: RegisterImage + operationId: GET_RegisterImage + description: '

Registers an AMI. When you''re creating an AMI, this is the final step you must complete before you can launch an instance from the AMI. For more information about creating AMIs, see Creating your own AMIs in the Amazon Elastic Compute Cloud User Guide.

For Amazon EBS-backed instances, CreateImage creates and registers the AMI in a single request, so you don''t have to register the AMI yourself.

If needed, you can deregister an AMI at any time. Any modifications you make to an AMI backed by an instance store volume invalidates its registration. If you make changes to an image, deregister the previous image and register the new image.

Register a snapshot of a root device volume

You can use RegisterImage to create an Amazon EBS-backed Linux AMI from a snapshot of a root device volume. You specify the snapshot using a block device mapping. You can''t set the encryption state of the volume using the block device mapping. If the snapshot is encrypted, or encryption by default is enabled, the root volume of an instance launched from the AMI is encrypted.

For more information, see Create a Linux AMI from a snapshot and Use encryption with Amazon EBS-backed AMIs in the Amazon Elastic Compute Cloud User Guide.

Amazon Web Services Marketplace product codes

If any snapshots have Amazon Web Services Marketplace product codes, they are copied to the new AMI.

Windows and some Linux distributions, such as Red Hat Enterprise Linux (RHEL) and SUSE Linux Enterprise Server (SLES), use the Amazon EC2 billing product code associated with an AMI to verify the subscription status for package updates. To create a new AMI for operating systems that require a billing product code, instead of registering the AMI, do the following to preserve the billing product code association:

  1. Launch an instance from an existing AMI with that billing product code.

  2. Customize the instance.

  3. Create an AMI from the instance using CreateImage.

If you purchase a Reserved Instance to apply to an On-Demand Instance that was launched from an AMI with a billing product code, make sure that the Reserved Instance has the matching billing product code. If you purchase a Reserved Instance without the matching billing product code, the Reserved Instance will not be applied to the On-Demand Instance. For information about how to obtain the platform details and billing information of an AMI, see Understanding AMI billing in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterImageResult' + parameters: + - name: ImageLocation + in: query + required: false + description: 'The full path to your AMI manifest in Amazon S3 storage. The specified bucket must have the aws-exec-read canned access control list (ACL) to ensure that it can be accessed by Amazon EC2. For more information, see Canned ACLs in the Amazon S3 Service Developer Guide.' + schema: + type: string + - name: Architecture + in: query + required: false + description: '

The architecture of the AMI.

Default: For Amazon EBS-backed AMIs, i386. For instance store-backed AMIs, the architecture specified in the manifest file.

' + schema: + type: string + enum: + - i386 + - x86_64 + - arm64 + - x86_64_mac + - name: BlockDeviceMapping + in: query + required: false + description: '

The block device mapping entries.

If you specify an Amazon EBS volume using the ID of an Amazon EBS snapshot, you can''t specify the encryption state of the volume.

If you create an AMI on an Outpost, then all backing snapshots must be on the same Outpost or in the Region of that Outpost. AMIs on an Outpost that include local snapshots can be used to launch instances on the same Outpost only. For more information, Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/BlockDeviceMapping' + - xml: + name: BlockDeviceMapping + - name: Description + in: query + required: false + description: A description for your AMI. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EnaSupport + in: query + required: false + description:

Set to true to enable enhanced networking with ENA for the AMI and any instances that you launch from the AMI.

This option is supported only for HVM AMIs. Specifying this option with a PV AMI can make instances launched from the AMI unreachable.

+ schema: + type: boolean + - name: KernelId + in: query + required: false + description: The ID of the kernel. + schema: + type: string + - name: Name + in: query + required: true + description: '

A name for your AMI.

Constraints: 3-128 alphanumeric characters, parentheses (()), square brackets ([]), spaces ( ), periods (.), slashes (/), dashes (-), single quotes (''), at-signs (@), or underscores(_)

' + schema: + type: string + - name: BillingProduct + in: query + required: false + description: 'The billing product codes. Your account must be authorized to specify billing product codes. Otherwise, you can use the Amazon Web Services Marketplace to bill for the use of an AMI.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: RamdiskId + in: query + required: false + description: The ID of the RAM disk. + schema: + type: string + - name: RootDeviceName + in: query + required: false + description: 'The device name of the root device volume (for example, /dev/sda1).' + schema: + type: string + - name: SriovNetSupport + in: query + required: false + description:

Set to simple to enable enhanced networking with the Intel 82599 Virtual Function interface for the AMI and any instances that you launch from the AMI.

There is no way to disable sriovNetSupport at this time.

This option is supported only for HVM AMIs. Specifying this option with a PV AMI can make instances launched from the AMI unreachable.

+ schema: + type: string + - name: VirtualizationType + in: query + required: false + description: '

The type of virtualization (hvm | paravirtual).

Default: paravirtual

' + schema: + type: string + - name: BootMode + in: query + required: false + description: 'The boot mode of the AMI. For more information, see Boot modes in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: string + enum: + - legacy-bios + - uefi + - name: TpmSupport + in: query + required: false + description: 'Set to v2.0 to enable Trusted Platform Module (TPM) support. For more information, see NitroTPM in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: string + enum: + - v2.0 + - name: UefiData + in: query + required: false + description: 'Base64 representation of the non-volatile UEFI variable store. To retrieve the UEFI data, use the GetInstanceUefiData command. You can inspect and modify the UEFI data by using the python-uefivars tool on GitHub. For more information, see UEFI Secure Boot in the Amazon Elastic Compute Cloud User Guide.' + schema: + type: string + minLength: 0 + maxLength: 64000 + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RegisterImage + operationId: POST_RegisterImage + description: '

Registers an AMI. When you''re creating an AMI, this is the final step you must complete before you can launch an instance from the AMI. For more information about creating AMIs, see Creating your own AMIs in the Amazon Elastic Compute Cloud User Guide.

For Amazon EBS-backed instances, CreateImage creates and registers the AMI in a single request, so you don''t have to register the AMI yourself.

If needed, you can deregister an AMI at any time. Any modifications you make to an AMI backed by an instance store volume invalidates its registration. If you make changes to an image, deregister the previous image and register the new image.

Register a snapshot of a root device volume

You can use RegisterImage to create an Amazon EBS-backed Linux AMI from a snapshot of a root device volume. You specify the snapshot using a block device mapping. You can''t set the encryption state of the volume using the block device mapping. If the snapshot is encrypted, or encryption by default is enabled, the root volume of an instance launched from the AMI is encrypted.

For more information, see Create a Linux AMI from a snapshot and Use encryption with Amazon EBS-backed AMIs in the Amazon Elastic Compute Cloud User Guide.

Amazon Web Services Marketplace product codes

If any snapshots have Amazon Web Services Marketplace product codes, they are copied to the new AMI.

Windows and some Linux distributions, such as Red Hat Enterprise Linux (RHEL) and SUSE Linux Enterprise Server (SLES), use the Amazon EC2 billing product code associated with an AMI to verify the subscription status for package updates. To create a new AMI for operating systems that require a billing product code, instead of registering the AMI, do the following to preserve the billing product code association:

  1. Launch an instance from an existing AMI with that billing product code.

  2. Customize the instance.

  3. Create an AMI from the instance using CreateImage.

If you purchase a Reserved Instance to apply to an On-Demand Instance that was launched from an AMI with a billing product code, make sure that the Reserved Instance has the matching billing product code. If you purchase a Reserved Instance without the matching billing product code, the Reserved Instance will not be applied to the On-Demand Instance. For information about how to obtain the platform details and billing information of an AMI, see Understanding AMI billing in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterImageResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterImageRequest' + parameters: [] + /?Action=RegisterInstanceEventNotificationAttributes&Version=2016-11-15: + get: + x-aws-operation-name: RegisterInstanceEventNotificationAttributes + operationId: GET_RegisterInstanceEventNotificationAttributes + description: '

Registers a set of tag keys to include in scheduled event notifications for your resources.

To remove tags, use DeregisterInstanceEventNotificationAttributes.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterInstanceEventNotificationAttributesResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceTagAttribute + in: query + required: false + description: Information about the tag keys to register. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to register all tag keys in the current Region. Specify true to register all tag keys. + InstanceTagKey: + allOf: + - $ref: '#/components/schemas/InstanceTagKeySet' + - description: The tag keys to register. + description: Information about the tag keys to register for the current Region. You can either specify individual tag keys or register all tag keys in the current Region. You must specify either IncludeAllTagsOfInstance or InstanceTagKeys in the request + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RegisterInstanceEventNotificationAttributes + operationId: POST_RegisterInstanceEventNotificationAttributes + description: '

Registers a set of tag keys to include in scheduled event notifications for your resources.

To remove tags, use DeregisterInstanceEventNotificationAttributes.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterInstanceEventNotificationAttributesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterInstanceEventNotificationAttributesRequest' + parameters: [] + /?Action=RegisterTransitGatewayMulticastGroupMembers&Version=2016-11-15: + get: + x-aws-operation-name: RegisterTransitGatewayMulticastGroupMembers + operationId: GET_RegisterTransitGatewayMulticastGroupMembers + description: '

Registers members (network interfaces) with the transit gateway multicast group. A member is a network interface associated with a supported EC2 instance that receives multicast traffic. For information about supported instances, see Multicast Consideration in Amazon VPC Transit Gateways.

After you add the members, use SearchTransitGatewayMulticastGroups to verify that the members were added to the transit gateway multicast group.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterTransitGatewayMulticastGroupMembersResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: GroupIpAddress + in: query + required: false + description: The IP address assigned to the transit gateway multicast group. + schema: + type: string + - name: NetworkInterfaceIds + in: query + required: false + description: The group members' network interface IDs to register with the transit gateway multicast group. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RegisterTransitGatewayMulticastGroupMembers + operationId: POST_RegisterTransitGatewayMulticastGroupMembers + description: '

Registers members (network interfaces) with the transit gateway multicast group. A member is a network interface associated with a supported EC2 instance that receives multicast traffic. For information about supported instances, see Multicast Consideration in Amazon VPC Transit Gateways.

After you add the members, use SearchTransitGatewayMulticastGroups to verify that the members were added to the transit gateway multicast group.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterTransitGatewayMulticastGroupMembersResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterTransitGatewayMulticastGroupMembersRequest' + parameters: [] + /?Action=RegisterTransitGatewayMulticastGroupSources&Version=2016-11-15: + get: + x-aws-operation-name: RegisterTransitGatewayMulticastGroupSources + operationId: GET_RegisterTransitGatewayMulticastGroupSources + description: '

Registers sources (network interfaces) with the specified transit gateway multicast group.

A multicast source is a network interface attached to a supported instance that sends multicast traffic. For information about supported instances, see Multicast Considerations in Amazon VPC Transit Gateways.

After you add the source, use SearchTransitGatewayMulticastGroups to verify that the source was added to the multicast group.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterTransitGatewayMulticastGroupSourcesResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: GroupIpAddress + in: query + required: false + description: The IP address assigned to the transit gateway multicast group. + schema: + type: string + - name: NetworkInterfaceIds + in: query + required: false + description: The group sources' network interface IDs to register with the transit gateway multicast group. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RegisterTransitGatewayMulticastGroupSources + operationId: POST_RegisterTransitGatewayMulticastGroupSources + description: '

Registers sources (network interfaces) with the specified transit gateway multicast group.

A multicast source is a network interface attached to a supported instance that sends multicast traffic. For information about supported instances, see Multicast Considerations in Amazon VPC Transit Gateways.

After you add the source, use SearchTransitGatewayMulticastGroups to verify that the source was added to the multicast group.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterTransitGatewayMulticastGroupSourcesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RegisterTransitGatewayMulticastGroupSourcesRequest' + parameters: [] + /?Action=RejectTransitGatewayMulticastDomainAssociations&Version=2016-11-15: + get: + x-aws-operation-name: RejectTransitGatewayMulticastDomainAssociations + operationId: GET_RejectTransitGatewayMulticastDomainAssociations + description: Rejects a request to associate cross-account subnets with a transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayMulticastDomainAssociationsResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the transit gateway attachment. + schema: + type: string + - name: SubnetIds + in: query + required: false + description: The IDs of the subnets to associate with the transit gateway multicast domain. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RejectTransitGatewayMulticastDomainAssociations + operationId: POST_RejectTransitGatewayMulticastDomainAssociations + description: Rejects a request to associate cross-account subnets with a transit gateway multicast domain. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayMulticastDomainAssociationsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayMulticastDomainAssociationsRequest' + parameters: [] + /?Action=RejectTransitGatewayPeeringAttachment&Version=2016-11-15: + get: + x-aws-operation-name: RejectTransitGatewayPeeringAttachment + operationId: GET_RejectTransitGatewayPeeringAttachment + description: Rejects a transit gateway peering attachment request. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayPeeringAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the transit gateway peering attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RejectTransitGatewayPeeringAttachment + operationId: POST_RejectTransitGatewayPeeringAttachment + description: Rejects a transit gateway peering attachment request. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayPeeringAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayPeeringAttachmentRequest' + parameters: [] + /?Action=RejectTransitGatewayVpcAttachment&Version=2016-11-15: + get: + x-aws-operation-name: RejectTransitGatewayVpcAttachment + operationId: GET_RejectTransitGatewayVpcAttachment + description:

Rejects a request to attach a VPC to a transit gateway.

The VPC attachment must be in the pendingAcceptance state. Use DescribeTransitGatewayVpcAttachments to view your pending VPC attachment requests. Use AcceptTransitGatewayVpcAttachment to accept a VPC attachment request.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayVpcAttachmentResult' + parameters: + - name: TransitGatewayAttachmentId + in: query + required: true + description: The ID of the attachment. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RejectTransitGatewayVpcAttachment + operationId: POST_RejectTransitGatewayVpcAttachment + description:

Rejects a request to attach a VPC to a transit gateway.

The VPC attachment must be in the pendingAcceptance state. Use DescribeTransitGatewayVpcAttachments to view your pending VPC attachment requests. Use AcceptTransitGatewayVpcAttachment to accept a VPC attachment request.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayVpcAttachmentResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectTransitGatewayVpcAttachmentRequest' + parameters: [] + /?Action=RejectVpcEndpointConnections&Version=2016-11-15: + get: + x-aws-operation-name: RejectVpcEndpointConnections + operationId: GET_RejectVpcEndpointConnections + description: Rejects one or more VPC endpoint connection requests to your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectVpcEndpointConnectionsResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the service. + schema: + type: string + - name: VpcEndpointId + in: query + required: true + description: The IDs of one or more VPC endpoints. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RejectVpcEndpointConnections + operationId: POST_RejectVpcEndpointConnections + description: Rejects one or more VPC endpoint connection requests to your VPC endpoint service. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectVpcEndpointConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectVpcEndpointConnectionsRequest' + parameters: [] + /?Action=RejectVpcPeeringConnection&Version=2016-11-15: + get: + x-aws-operation-name: RejectVpcPeeringConnection + operationId: GET_RejectVpcPeeringConnection + description: 'Rejects a VPC peering connection request. The VPC peering connection must be in the pending-acceptance state. Use the DescribeVpcPeeringConnections request to view your outstanding VPC peering connection requests. To delete an active VPC peering connection, or to delete a VPC peering connection request that you initiated, use DeleteVpcPeeringConnection.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectVpcPeeringConnectionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcPeeringConnectionId + in: query + required: true + description: The ID of the VPC peering connection. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RejectVpcPeeringConnection + operationId: POST_RejectVpcPeeringConnection + description: 'Rejects a VPC peering connection request. The VPC peering connection must be in the pending-acceptance state. Use the DescribeVpcPeeringConnections request to view your outstanding VPC peering connection requests. To delete an active VPC peering connection, or to delete a VPC peering connection request that you initiated, use DeleteVpcPeeringConnection.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectVpcPeeringConnectionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RejectVpcPeeringConnectionRequest' + parameters: [] + /?Action=ReleaseAddress&Version=2016-11-15: + get: + x-aws-operation-name: ReleaseAddress + operationId: GET_ReleaseAddress + description: '

Releases the specified Elastic IP address.

[EC2-Classic, default VPC] Releasing an Elastic IP address automatically disassociates it from any instance that it''s associated with. To disassociate an Elastic IP address without releasing it, use DisassociateAddress.

[Nondefault VPC] You must use DisassociateAddress to disassociate the Elastic IP address before you can release it. Otherwise, Amazon EC2 returns an error (InvalidIPAddress.InUse).

After releasing an Elastic IP address, it is released to the IP address pool. Be sure to update your DNS records and any servers or devices that communicate with the address. If you attempt to release an Elastic IP address that you already released, you''ll get an AuthFailure error if the address is already allocated to another Amazon Web Services account.

[EC2-VPC] After you release an Elastic IP address for use in a VPC, you might be able to recover it. For more information, see AllocateAddress.

' + responses: + '200': + description: Success + parameters: + - name: AllocationId + in: query + required: false + description: '[EC2-VPC] The allocation ID. Required for EC2-VPC.' + schema: + type: string + - name: PublicIp + in: query + required: false + description: '[EC2-Classic] The Elastic IP address. Required for EC2-Classic.' + schema: + type: string + - name: NetworkBorderGroup + in: query + required: false + description: '

The set of Availability Zones, Local Zones, or Wavelength Zones from which Amazon Web Services advertises IP addresses.

If you provide an incorrect network border group, you receive an InvalidAddress.NotFound error.

You cannot use a network border group with EC2 Classic. If you attempt this operation on EC2 classic, you receive an InvalidParameterCombination error.

' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReleaseAddress + operationId: POST_ReleaseAddress + description: '

Releases the specified Elastic IP address.

[EC2-Classic, default VPC] Releasing an Elastic IP address automatically disassociates it from any instance that it''s associated with. To disassociate an Elastic IP address without releasing it, use DisassociateAddress.

[Nondefault VPC] You must use DisassociateAddress to disassociate the Elastic IP address before you can release it. Otherwise, Amazon EC2 returns an error (InvalidIPAddress.InUse).

After releasing an Elastic IP address, it is released to the IP address pool. Be sure to update your DNS records and any servers or devices that communicate with the address. If you attempt to release an Elastic IP address that you already released, you''ll get an AuthFailure error if the address is already allocated to another Amazon Web Services account.

[EC2-VPC] After you release an Elastic IP address for use in a VPC, you might be able to recover it. For more information, see AllocateAddress.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseAddressRequest' + parameters: [] + /?Action=ReleaseHosts&Version=2016-11-15: + get: + x-aws-operation-name: ReleaseHosts + operationId: GET_ReleaseHosts + description: '

When you no longer want to use an On-Demand Dedicated Host it can be released. On-Demand billing is stopped and the host goes into released state. The host ID of Dedicated Hosts that have been released can no longer be specified in another request, for example, to modify the host. You must stop or terminate all instances on a host before it can be released.

When Dedicated Hosts are released, it may take some time for them to stop counting toward your limit and you may receive capacity errors when trying to allocate new Dedicated Hosts. Wait a few minutes and then try again.

Released hosts still appear in a DescribeHosts response.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseHostsResult' + parameters: + - name: HostId + in: query + required: true + description: The IDs of the Dedicated Hosts to release. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReleaseHosts + operationId: POST_ReleaseHosts + description: '

When you no longer want to use an On-Demand Dedicated Host it can be released. On-Demand billing is stopped and the host goes into released state. The host ID of Dedicated Hosts that have been released can no longer be specified in another request, for example, to modify the host. You must stop or terminate all instances on a host before it can be released.

When Dedicated Hosts are released, it may take some time for them to stop counting toward your limit and you may receive capacity errors when trying to allocate new Dedicated Hosts. Wait a few minutes and then try again.

Released hosts still appear in a DescribeHosts response.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseHostsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseHostsRequest' + parameters: [] + /?Action=ReleaseIpamPoolAllocation&Version=2016-11-15: + get: + x-aws-operation-name: ReleaseIpamPoolAllocation + operationId: GET_ReleaseIpamPoolAllocation + description: 'Release an allocation within an IPAM pool. You can only use this action to release manual allocations. To remove an allocation for a resource without deleting the resource, set its monitored state to false using ModifyIpamResourceCidr. For more information, see Release an allocation in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseIpamPoolAllocationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: IpamPoolId + in: query + required: true + description: The ID of the IPAM pool which contains the allocation you want to release. + schema: + type: string + - name: Cidr + in: query + required: true + description: The CIDR of the allocation you want to release. + schema: + type: string + - name: IpamPoolAllocationId + in: query + required: true + description: The ID of the allocation. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReleaseIpamPoolAllocation + operationId: POST_ReleaseIpamPoolAllocation + description: 'Release an allocation within an IPAM pool. You can only use this action to release manual allocations. To remove an allocation for a resource without deleting the resource, set its monitored state to false using ModifyIpamResourceCidr. For more information, see Release an allocation in the Amazon VPC IPAM User Guide. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseIpamPoolAllocationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReleaseIpamPoolAllocationRequest' + parameters: [] + /?Action=ReplaceIamInstanceProfileAssociation&Version=2016-11-15: + get: + x-aws-operation-name: ReplaceIamInstanceProfileAssociation + operationId: GET_ReplaceIamInstanceProfileAssociation + description:

Replaces an IAM instance profile for the specified running instance. You can use this action to change the IAM instance profile that's associated with an instance without having to disassociate the existing IAM instance profile first.

Use DescribeIamInstanceProfileAssociations to get the association ID.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceIamInstanceProfileAssociationResult' + parameters: + - name: IamInstanceProfile + in: query + required: true + description: The IAM instance profile. + schema: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the instance profile. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the instance profile. + description: Describes an IAM instance profile. + - name: AssociationId + in: query + required: true + description: The ID of the existing IAM instance profile association. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReplaceIamInstanceProfileAssociation + operationId: POST_ReplaceIamInstanceProfileAssociation + description:

Replaces an IAM instance profile for the specified running instance. You can use this action to change the IAM instance profile that's associated with an instance without having to disassociate the existing IAM instance profile first.

Use DescribeIamInstanceProfileAssociations to get the association ID.

+ responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceIamInstanceProfileAssociationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceIamInstanceProfileAssociationRequest' + parameters: [] + /?Action=ReplaceNetworkAclAssociation&Version=2016-11-15: + get: + x-aws-operation-name: ReplaceNetworkAclAssociation + operationId: GET_ReplaceNetworkAclAssociation + description: '

Changes which network ACL a subnet is associated with. By default when you create a subnet, it''s automatically associated with the default network ACL. For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

This is an idempotent operation.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceNetworkAclAssociationResult' + parameters: + - name: AssociationId + in: query + required: true + description: The ID of the current association between the original network ACL and the subnet. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkAclId + in: query + required: true + description: The ID of the new network ACL to associate with the subnet. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReplaceNetworkAclAssociation + operationId: POST_ReplaceNetworkAclAssociation + description: '

Changes which network ACL a subnet is associated with. By default when you create a subnet, it''s automatically associated with the default network ACL. For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.

This is an idempotent operation.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceNetworkAclAssociationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceNetworkAclAssociationRequest' + parameters: [] + /?Action=ReplaceNetworkAclEntry&Version=2016-11-15: + get: + x-aws-operation-name: ReplaceNetworkAclEntry + operationId: GET_ReplaceNetworkAclEntry + description: 'Replaces an entry (rule) in a network ACL. For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + parameters: + - name: CidrBlock + in: query + required: false + description: 'The IPv4 network range to allow or deny, in CIDR notation (for example 172.16.0.0/24).' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Egress + in: query + required: true + description: '

Indicates whether to replace the egress rule.

Default: If no value is specified, we replace the ingress rule.

' + schema: + type: boolean + - name: Icmp + in: query + required: false + description: 'ICMP protocol: The ICMP or ICMPv6 type and code. Required if specifying protocol 1 (ICMP) or protocol 58 (ICMPv6) with an IPv6 CIDR block.' + schema: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ICMP code. A value of -1 means all codes for the specified ICMP type. + type: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ICMP type. A value of -1 means all types. + description: Describes the ICMP type and code. + - name: Ipv6CidrBlock + in: query + required: false + description: 'The IPv6 network range to allow or deny, in CIDR notation (for example 2001:bd8:1234:1a00::/64).' + schema: + type: string + - name: NetworkAclId + in: query + required: true + description: The ID of the ACL. + schema: + type: string + - name: PortRange + in: query + required: false + description: 'TCP or UDP protocols: The range of ports the rule applies to. Required if specifying protocol 6 (TCP) or 17 (UDP).' + schema: + type: object + properties: + from: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The first port in the range. + to: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the range. + description: Describes a range of ports. + - name: Protocol + in: query + required: true + description: 'The protocol number. A value of "-1" means all protocols. If you specify "-1" or a protocol number other than "6" (TCP), "17" (UDP), or "1" (ICMP), traffic on all ports is allowed, regardless of any ports or ICMP types or codes that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv4 CIDR block, traffic for all ICMP types and codes allowed, regardless of any that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv6 CIDR block, you must specify an ICMP type and code.' + schema: + type: string + - name: RuleAction + in: query + required: true + description: Indicates whether to allow or deny the traffic that matches the rule. + schema: + type: string + enum: + - allow + - deny + - name: RuleNumber + in: query + required: true + description: The rule number of the entry to replace. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReplaceNetworkAclEntry + operationId: POST_ReplaceNetworkAclEntry + description: 'Replaces an entry (rule) in a network ACL. For more information, see Network ACLs in the Amazon Virtual Private Cloud User Guide.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceNetworkAclEntryRequest' + parameters: [] + /?Action=ReplaceRoute&Version=2016-11-15: + get: + x-aws-operation-name: ReplaceRoute + operationId: GET_ReplaceRoute + description: '

Replaces an existing route within a route table in a VPC. You must provide only one of the following: internet gateway, virtual private gateway, NAT instance, NAT gateway, VPC peering connection, network interface, egress-only internet gateway, or transit gateway.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: DestinationCidrBlock + in: query + required: false + description: The IPv4 CIDR address block used for the destination match. The value that you provide must match the CIDR of an existing route in the table. + schema: + type: string + - name: DestinationIpv6CidrBlock + in: query + required: false + description: The IPv6 CIDR address block used for the destination match. The value that you provide must match the CIDR of an existing route in the table. + schema: + type: string + - name: DestinationPrefixListId + in: query + required: false + description: The ID of the prefix list for the route. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: VpcEndpointId + in: query + required: false + description: The ID of a VPC endpoint. Supported for Gateway Load Balancer endpoints only. + schema: + type: string + - name: EgressOnlyInternetGatewayId + in: query + required: false + description: '[IPv6 traffic only] The ID of an egress-only internet gateway.' + schema: + type: string + - name: GatewayId + in: query + required: false + description: The ID of an internet gateway or virtual private gateway. + schema: + type: string + - name: InstanceId + in: query + required: false + description: The ID of a NAT instance in your VPC. + schema: + type: string + - name: LocalTarget + in: query + required: false + description: Specifies whether to reset the local route to its default target (local). + schema: + type: boolean + - name: NatGatewayId + in: query + required: false + description: '[IPv4 traffic only] The ID of a NAT gateway.' + schema: + type: string + - name: TransitGatewayId + in: query + required: false + description: The ID of a transit gateway. + schema: + type: string + - name: LocalGatewayId + in: query + required: false + description: The ID of the local gateway. + schema: + type: string + - name: CarrierGatewayId + in: query + required: false + description: '[IPv4 traffic only] The ID of a carrier gateway.' + schema: + type: string + - name: NetworkInterfaceId + in: query + required: false + description: The ID of a network interface. + schema: + type: string + - name: RouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + - name: VpcPeeringConnectionId + in: query + required: false + description: The ID of a VPC peering connection. + schema: + type: string + - name: CoreNetworkArn + in: query + required: false + description: The Amazon Resource Name (ARN) of the core network. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReplaceRoute + operationId: POST_ReplaceRoute + description: '

Replaces an existing route within a route table in a VPC. You must provide only one of the following: internet gateway, virtual private gateway, NAT instance, NAT gateway, VPC peering connection, network interface, egress-only internet gateway, or transit gateway.

For more information, see Route tables in the Amazon Virtual Private Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceRouteRequest' + parameters: [] + /?Action=ReplaceRouteTableAssociation&Version=2016-11-15: + get: + x-aws-operation-name: ReplaceRouteTableAssociation + operationId: GET_ReplaceRouteTableAssociation + description: '

Changes the route table associated with a given subnet, internet gateway, or virtual private gateway in a VPC. After the operation completes, the subnet or gateway uses the routes in the new route table. For more information about route tables, see Route tables in the Amazon Virtual Private Cloud User Guide.

You can also use this operation to change which table is the main route table in the VPC. Specify the main route table''s association ID and the route table ID of the new main route table.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceRouteTableAssociationResult' + parameters: + - name: AssociationId + in: query + required: true + description: The association ID. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: RouteTableId + in: query + required: true + description: The ID of the new route table to associate with the subnet. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReplaceRouteTableAssociation + operationId: POST_ReplaceRouteTableAssociation + description: '

Changes the route table associated with a given subnet, internet gateway, or virtual private gateway in a VPC. After the operation completes, the subnet or gateway uses the routes in the new route table. For more information about route tables, see Route tables in the Amazon Virtual Private Cloud User Guide.

You can also use this operation to change which table is the main route table in the VPC. Specify the main route table''s association ID and the route table ID of the new main route table.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceRouteTableAssociationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceRouteTableAssociationRequest' + parameters: [] + /?Action=ReplaceTransitGatewayRoute&Version=2016-11-15: + get: + x-aws-operation-name: ReplaceTransitGatewayRoute + operationId: GET_ReplaceTransitGatewayRoute + description: Replaces the specified route in the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceTransitGatewayRouteResult' + parameters: + - name: DestinationCidrBlock + in: query + required: true + description: The CIDR range used for the destination match. Routing decisions are based on the most specific match. + schema: + type: string + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the route table. + schema: + type: string + - name: TransitGatewayAttachmentId + in: query + required: false + description: The ID of the attachment. + schema: + type: string + - name: Blackhole + in: query + required: false + description: Indicates whether traffic matching this route is to be dropped. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReplaceTransitGatewayRoute + operationId: POST_ReplaceTransitGatewayRoute + description: Replaces the specified route in the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceTransitGatewayRouteResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReplaceTransitGatewayRouteRequest' + parameters: [] + /?Action=ReportInstanceStatus&Version=2016-11-15: + get: + x-aws-operation-name: ReportInstanceStatus + operationId: GET_ReportInstanceStatus + description: '

Submits feedback about the status of an instance. The instance must be in the running state. If your experience with the instance differs from the instance status returned by DescribeInstanceStatus, use ReportInstanceStatus to report your experience with the instance. Amazon EC2 collects this information to improve the accuracy of status checks.

Use of this action does not change the value returned by DescribeInstanceStatus.

' + responses: + '200': + description: Success + parameters: + - name: Description + in: query + required: false + description: Descriptive text about the health state of your instance. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EndTime + in: query + required: false + description: The time at which the reported instance health state ended. + schema: + type: string + format: date-time + - name: InstanceId + in: query + required: true + description: The instances. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: ReasonCode + in: query + required: true + description: '

The reason codes that describe the health state of your instance.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReportInstanceReasonCodes' + - xml: + name: item + - name: StartTime + in: query + required: false + description: The time at which the reported instance health state began. + schema: + type: string + format: date-time + - name: Status + in: query + required: true + description: The status of all instances listed. + schema: + type: string + enum: + - ok + - impaired + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ReportInstanceStatus + operationId: POST_ReportInstanceStatus + description: '

Submits feedback about the status of an instance. The instance must be in the running state. If your experience with the instance differs from the instance status returned by DescribeInstanceStatus, use ReportInstanceStatus to report your experience with the instance. Amazon EC2 collects this information to improve the accuracy of status checks.

Use of this action does not change the value returned by DescribeInstanceStatus.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ReportInstanceStatusRequest' + parameters: [] + /?Action=RequestSpotFleet&Version=2016-11-15: + get: + x-aws-operation-name: RequestSpotFleet + operationId: GET_RequestSpotFleet + description: '

Creates a Spot Fleet request.

The Spot Fleet request specifies the total target capacity and the On-Demand target capacity. Amazon EC2 calculates the difference between the total capacity and On-Demand capacity, and launches the difference as Spot capacity.

You can submit a single request that includes multiple launch specifications that vary by instance type, AMI, Availability Zone, or subnet.

By default, the Spot Fleet requests Spot Instances in the Spot Instance pool where the price per unit is the lowest. Each launch specification can include its own instance weighting that reflects the value of the instance type to your application workload.

Alternatively, you can specify that the Spot Fleet distribute the target capacity across the Spot pools included in its launch specifications. By ensuring that the Spot Instances in your Spot Fleet are in different Spot pools, you can improve the availability of your fleet.

You can specify tags for the Spot Fleet request and instances launched by the fleet. You cannot tag other resource types in a Spot Fleet request because only the spot-fleet-request and instance resource types are supported.

For more information, see Spot Fleet requests in the Amazon EC2 User Guide for Linux Instances.

We strongly discourage using the RequestSpotFleet API because it is a legacy API with no planned investment. For options for requesting Spot Instances, see Which is the best Spot request method to use? in the Amazon EC2 User Guide for Linux Instances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RequestSpotFleetResponse' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SpotFleetRequestConfig + in: query + required: true + description: The configuration for the Spot Fleet request. + schema: + type: object + required: + - IamFleetRole + - TargetCapacity + properties: + allocationStrategy: + allOf: + - $ref: '#/components/schemas/AllocationStrategy' + - description: '

Indicates how to allocate the target Spot Instance capacity across the Spot Instance pools specified by the Spot Fleet request.

If the allocation strategy is lowestPrice, Spot Fleet launches instances from the Spot Instance pools with the lowest price. This is the default allocation strategy.

If the allocation strategy is diversified, Spot Fleet launches instances from all the Spot Instance pools that you specify.

If the allocation strategy is capacityOptimized (recommended), Spot Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching. To give certain instance types a higher chance of launching first, use capacityOptimizedPrioritized. Set a priority for each instance type by using the Priority parameter for LaunchTemplateOverrides. You can assign the same priority to different LaunchTemplateOverrides. EC2 implements the priorities on a best-effort basis, but optimizes for capacity first. capacityOptimizedPrioritized is supported only if your Spot Fleet uses a launch template. Note that if the OnDemandAllocationStrategy is set to prioritized, the same priority is applied when fulfilling On-Demand capacity.

' + onDemandAllocationStrategy: + allOf: + - $ref: '#/components/schemas/OnDemandAllocationStrategy' + - description: 'The order of the launch template overrides to use in fulfilling On-Demand capacity. If you specify lowestPrice, Spot Fleet uses price to determine the order, launching the lowest price first. If you specify prioritized, Spot Fleet uses the priority that you assign to each Spot Fleet launch template override, launching the highest priority first. If you do not specify a value, Spot Fleet defaults to lowestPrice.' + spotMaintenanceStrategies: + allOf: + - $ref: '#/components/schemas/SpotMaintenanceStrategies' + - description: The strategies for managing your Spot Instances that are at an elevated risk of being interrupted. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of your listings. This helps to avoid duplicate listings. For more information, see Ensuring Idempotency.' + excessCapacityTerminationPolicy: + allOf: + - $ref: '#/components/schemas/ExcessCapacityTerminationPolicy' + - description: Indicates whether running Spot Instances should be terminated if you decrease the target capacity of the Spot Fleet request below the current size of the Spot Fleet. + fulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of units fulfilled by this request compared to the set target capacity. You cannot set this value. + onDemandFulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of On-Demand units fulfilled by this request compared to the set target On-Demand capacity. + iamFleetRole: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Amazon Resource Name (ARN) of an Identity and Access Management (IAM) role that grants the Spot Fleet the permission to request, launch, terminate, and tag instances on your behalf. For more information, see Spot Fleet prerequisites in the Amazon EC2 User Guide for Linux Instances. Spot Fleet can terminate Spot Instances on your behalf when you cancel its Spot Fleet request using CancelSpotFleetRequests or when the Spot Fleet request expires, if you set TerminateInstancesWithExpiration.' + launchSpecifications: + allOf: + - $ref: '#/components/schemas/LaunchSpecsList' + - description: 'The launch specifications for the Spot Fleet request. If you specify LaunchSpecifications, you can''t specify LaunchTemplateConfigs. If you include On-Demand capacity in your request, you must use LaunchTemplateConfigs.' + launchTemplateConfigs: + allOf: + - $ref: '#/components/schemas/LaunchTemplateConfigList' + - description: 'The launch template and overrides. If you specify LaunchTemplateConfigs, you can''t specify LaunchSpecifications. If you include On-Demand capacity in your request, you must use LaunchTemplateConfigs.' + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per unit hour that you are willing to pay for a Spot Instance. The default is the On-Demand price. + targetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of units to request for the Spot Fleet. You can choose to set the target capacity in terms of instances or a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.' + onDemandTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of On-Demand units to request. You can choose to set the target capacity in terms of instances or a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.' + onDemandMaxTotalPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The maximum amount per hour for On-Demand Instances that you''re willing to pay. You can use the onDemandMaxTotalPrice parameter, the spotMaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, Spot Fleet will launch instances until it reaches the maximum amount you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity.' + spotMaxTotalPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The maximum amount per hour for Spot Instances that you''re willing to pay. You can use the spotdMaxTotalPrice parameter, the onDemandMaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, Spot Fleet will launch instances until it reaches the maximum amount you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity.' + terminateInstancesWithExpiration: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether running Spot Instances are terminated when the Spot Fleet request expires. + type: + allOf: + - $ref: '#/components/schemas/FleetType' + - description: 'The type of request. Indicates whether the Spot Fleet only requests the target capacity or also attempts to maintain it. When this value is request, the Spot Fleet only places the required requests. It does not attempt to replenish Spot Instances if capacity is diminished, nor does it submit requests in alternative Spot pools if capacity is not available. When this value is maintain, the Spot Fleet maintains the target capacity. The Spot Fleet places the required requests to meet capacity and automatically replenishes any interrupted instances. Default: maintain. instant is listed but is not used by Spot Fleet.' + validFrom: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The start date and time of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ). By default, Amazon EC2 starts fulfilling the request immediately.' + validUntil: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The end date and time of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ). After the end date and time, no new Spot Instance requests are placed or able to fulfill the request. If no value is specified, the Spot Fleet request remains until you cancel it.' + replaceUnhealthyInstances: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether Spot Fleet should replace unhealthy instances. + instanceInterruptionBehavior: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. The default is terminate. + loadBalancersConfig: + allOf: + - $ref: '#/components/schemas/LoadBalancersConfig' + - description: '

One or more Classic Load Balancers and target groups to attach to the Spot Fleet request. Spot Fleet registers the running Spot Instances with the specified Classic Load Balancers and target groups.

With Network Load Balancers, Spot Fleet cannot register instances that have the following instance types: C1, CC1, CC2, CG1, CG2, CR1, CS1, G1, G2, HI1, HS1, M1, M2, M3, and T1.

' + instancePoolsToUseCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of Spot pools across which to allocate your target Spot capacity. Valid only when Spot AllocationStrategy is set to lowest-price. Spot Fleet selects the cheapest Spot pools and evenly allocates your target Spot capacity across the number of Spot pools that you specify.

Note that Spot Fleet attempts to draw Spot Instances from the number of pools that you specify on a best effort basis. If a pool runs out of Spot capacity before fulfilling your target capacity, Spot Fleet will continue to fulfill your request by drawing from the next cheapest pool. To ensure that your target capacity is met, you might receive Spot Instances from more than the number of pools that you specified. Similarly, if most of the pools have no Spot capacity, you might receive your full target capacity from fewer than the number of pools that you specified.

' + context: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + targetCapacityUnitType: + allOf: + - $ref: '#/components/schemas/TargetCapacityUnitType' + - description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: 'The key-value pair for tagging the Spot Fleet request on creation. The value for ResourceType must be spot-fleet-request, otherwise the Spot Fleet request fails. To tag instances at launch, specify the tags in the launch template (valid only if you use LaunchTemplateConfigs) or in the SpotFleetTagSpecification (valid only if you use LaunchSpecifications). For information about tagging after launch, see Tagging Your Resources.' + description: Describes the configuration of a Spot Fleet request. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RequestSpotFleet + operationId: POST_RequestSpotFleet + description: '

Creates a Spot Fleet request.

The Spot Fleet request specifies the total target capacity and the On-Demand target capacity. Amazon EC2 calculates the difference between the total capacity and On-Demand capacity, and launches the difference as Spot capacity.

You can submit a single request that includes multiple launch specifications that vary by instance type, AMI, Availability Zone, or subnet.

By default, the Spot Fleet requests Spot Instances in the Spot Instance pool where the price per unit is the lowest. Each launch specification can include its own instance weighting that reflects the value of the instance type to your application workload.

Alternatively, you can specify that the Spot Fleet distribute the target capacity across the Spot pools included in its launch specifications. By ensuring that the Spot Instances in your Spot Fleet are in different Spot pools, you can improve the availability of your fleet.

You can specify tags for the Spot Fleet request and instances launched by the fleet. You cannot tag other resource types in a Spot Fleet request because only the spot-fleet-request and instance resource types are supported.

For more information, see Spot Fleet requests in the Amazon EC2 User Guide for Linux Instances.

We strongly discourage using the RequestSpotFleet API because it is a legacy API with no planned investment. For options for requesting Spot Instances, see Which is the best Spot request method to use? in the Amazon EC2 User Guide for Linux Instances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RequestSpotFleetResponse' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RequestSpotFleetRequest' + parameters: [] + /?Action=RequestSpotInstances&Version=2016-11-15: + get: + x-aws-operation-name: RequestSpotInstances + operationId: GET_RequestSpotInstances + description: '

Creates a Spot Instance request.

For more information, see Spot Instance requests in the Amazon EC2 User Guide for Linux Instances.

We strongly discourage using the RequestSpotInstances API because it is a legacy API with no planned investment. For options for requesting Spot Instances, see Which is the best Spot request method to use? in the Amazon EC2 User Guide for Linux Instances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RequestSpotInstancesResult' + parameters: + - name: AvailabilityZoneGroup + in: query + required: false + description: '

The user-specified name for a logical grouping of requests.

When you specify an Availability Zone group in a Spot Instance request, all Spot Instances in the request are launched in the same Availability Zone. Instance proximity is maintained with this parameter, but the choice of Availability Zone is not. The group applies only to requests for Spot Instances of the same instance type. Any additional Spot Instance requests that are specified with the same Availability Zone group name are launched in that same Availability Zone, as long as at least one instance from the group is still active.

If there is no active instance running in the Availability Zone group that you specify for a new Spot Instance request (all instances are terminated, the request is expired, or the maximum price you specified falls below current Spot price), then Amazon EC2 launches the instance in any Availability Zone where the constraint can be met. Consequently, the subsequent set of Spot Instances could be placed in a different zone from the original request, even if you specified the same Availability Zone group.

Default: Instances are launched in any available Availability Zone.

' + schema: + type: string + - name: BlockDurationMinutes + in: query + required: false + description: Deprecated. + schema: + type: integer + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to Ensure Idempotency in the Amazon EC2 User Guide for Linux Instances.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceCount + in: query + required: false + description: '

The maximum number of Spot Instances to launch.

Default: 1

' + schema: + type: integer + - name: LaunchGroup + in: query + required: false + description: '

The instance launch group. Launch groups are Spot Instances that launch together and terminate together.

Default: Instances are launched and terminated individually

' + schema: + type: string + - name: LaunchSpecification + in: query + required: false + description: The launch specification. + schema: + type: object + properties: + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/RequestSpotLaunchSpecificationSecurityGroupIdList' + - description: One or more security group IDs. + SecurityGroup: + allOf: + - $ref: '#/components/schemas/RequestSpotLaunchSpecificationSecurityGroupList' + - description: 'One or more security groups. When requesting instances in a VPC, you must specify the IDs of the security groups. When requesting instances in EC2-Classic, you can specify the names or the IDs of the security groups.' + addressingType: + allOf: + - $ref: '#/components/schemas/String' + - description: Deprecated. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingList' + - description: 'One or more block device mapping entries. You can''t specify both a snapshot ID and an encryption value. This is because only blank volumes can be encrypted on creation. If a snapshot is the basis for a volume, it is not blank and its encryption status is used for the volume encryption status.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether the instance is optimized for EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal EBS I/O performance. This optimization isn''t available with all instance types. Additional usage charges apply when using an EBS Optimized instance.

Default: false

' + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileSpecification' + - description: The IAM instance profile. + imageId: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the AMI. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. Only one instance type can be specified. + kernelId: + allOf: + - $ref: '#/components/schemas/KernelId' + - description: The ID of the kernel. + keyName: + allOf: + - $ref: '#/components/schemas/KeyPairName' + - description: The name of the key pair. + monitoring: + allOf: + - $ref: '#/components/schemas/RunInstancesMonitoringEnabled' + - description: '

Indicates whether basic or detailed monitoring is enabled for the instance.

Default: Disabled

' + NetworkInterface: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecificationList' + - description: 'One or more network interfaces. If you specify a network interface, you must specify subnet IDs and security group IDs using the network interface.' + placement: + allOf: + - $ref: '#/components/schemas/SpotPlacement' + - description: The placement information for the instance. + ramdiskId: + allOf: + - $ref: '#/components/schemas/RamdiskId' + - description: The ID of the RAM disk. + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet in which to launch the instance. + userData: + allOf: + - $ref: '#/components/schemas/String' + - description: The Base64-encoded user data for the instance. User data is limited to 16 KB. + description: Describes the launch specification for an instance. + - name: SpotPrice + in: query + required: false + description: The maximum price per hour that you are willing to pay for a Spot Instance. The default is the On-Demand price. + schema: + type: string + - name: Type + in: query + required: false + description: '

The Spot Instance request type.

Default: one-time

' + schema: + type: string + enum: + - one-time + - persistent + - name: ValidFrom + in: query + required: false + description: '

The start date of the request. If this is a one-time request, the request becomes active at this date and time and remains active until all instances launch, the request expires, or the request is canceled. If the request is persistent, the request becomes active at this date and time and remains active until it expires or is canceled.

The specified start date and time cannot be equal to the current date and time. You must specify a start date and time that occurs after the current date and time.

' + schema: + type: string + format: date-time + - name: ValidUntil + in: query + required: false + description: '

The end date of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ).

' + schema: + type: string + format: date-time + - name: TagSpecification + in: query + required: false + description: 'The key-value pair for tagging the Spot Instance request on creation. The value for ResourceType must be spot-instances-request, otherwise the Spot Instance request fails. To tag the Spot Instance request after it has been created, see CreateTags. ' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: InstanceInterruptionBehavior + in: query + required: false + description: The behavior when a Spot Instance is interrupted. The default is terminate. + schema: + type: string + enum: + - hibernate + - stop + - terminate + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RequestSpotInstances + operationId: POST_RequestSpotInstances + description: '

Creates a Spot Instance request.

For more information, see Spot Instance requests in the Amazon EC2 User Guide for Linux Instances.

We strongly discourage using the RequestSpotInstances API because it is a legacy API with no planned investment. For options for requesting Spot Instances, see Which is the best Spot request method to use? in the Amazon EC2 User Guide for Linux Instances.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RequestSpotInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RequestSpotInstancesRequest' + parameters: [] + /?Action=ResetAddressAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ResetAddressAttribute + operationId: GET_ResetAddressAttribute + description: 'Resets the attribute of the specified IP address. For requirements, see Using reverse DNS for email applications.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetAddressAttributeResult' + parameters: + - name: AllocationId + in: query + required: true + description: '[EC2-VPC] The allocation ID.' + schema: + type: string + - name: Attribute + in: query + required: true + description: The attribute of the IP address. + schema: + type: string + enum: + - domain-name + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetAddressAttribute + operationId: POST_ResetAddressAttribute + description: 'Resets the attribute of the specified IP address. For requirements, see Using reverse DNS for email applications.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetAddressAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetAddressAttributeRequest' + parameters: [] + /?Action=ResetEbsDefaultKmsKeyId&Version=2016-11-15: + get: + x-aws-operation-name: ResetEbsDefaultKmsKeyId + operationId: GET_ResetEbsDefaultKmsKeyId + description: '

Resets the default KMS key for EBS encryption for your account in this Region to the Amazon Web Services managed KMS key for EBS.

After resetting the default KMS key to the Amazon Web Services managed KMS key, you can continue to encrypt by a customer managed KMS key by specifying it when you create the volume. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetEbsDefaultKmsKeyIdResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetEbsDefaultKmsKeyId + operationId: POST_ResetEbsDefaultKmsKeyId + description: '

Resets the default KMS key for EBS encryption for your account in this Region to the Amazon Web Services managed KMS key for EBS.

After resetting the default KMS key to the Amazon Web Services managed KMS key, you can continue to encrypt by a customer managed KMS key by specifying it when you create the volume. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetEbsDefaultKmsKeyIdResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetEbsDefaultKmsKeyIdRequest' + parameters: [] + /?Action=ResetFpgaImageAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ResetFpgaImageAttribute + operationId: GET_ResetFpgaImageAttribute + description: Resets the specified attribute of the specified Amazon FPGA Image (AFI) to its default value. You can only reset the load permission attribute. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetFpgaImageAttributeResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: FpgaImageId + in: query + required: true + description: The ID of the AFI. + schema: + type: string + - name: Attribute + in: query + required: false + description: The attribute. + schema: + type: string + enum: + - loadPermission + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetFpgaImageAttribute + operationId: POST_ResetFpgaImageAttribute + description: Resets the specified attribute of the specified Amazon FPGA Image (AFI) to its default value. You can only reset the load permission attribute. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetFpgaImageAttributeResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetFpgaImageAttributeRequest' + parameters: [] + /?Action=ResetImageAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ResetImageAttribute + operationId: GET_ResetImageAttribute + description: Resets an attribute of an AMI to its default value. + responses: + '200': + description: Success + parameters: + - name: Attribute + in: query + required: true + description: The attribute to reset (currently you can only reset the launch permission attribute). + schema: + type: string + enum: + - launchPermission + - name: ImageId + in: query + required: true + description: The ID of the AMI. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetImageAttribute + operationId: POST_ResetImageAttribute + description: Resets an attribute of an AMI to its default value. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetImageAttributeRequest' + parameters: [] + /?Action=ResetInstanceAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ResetInstanceAttribute + operationId: GET_ResetInstanceAttribute + description: '

Resets an attribute of an instance to its default value. To reset the kernel or ramdisk, the instance must be in a stopped state. To reset the sourceDestCheck, the instance can be either running or stopped.

The sourceDestCheck attribute controls whether source/destination checking is enabled. The default value is true, which means checking is enabled. This value must be false for a NAT instance to perform NAT. For more information, see NAT Instances in the Amazon VPC User Guide.

' + responses: + '200': + description: Success + parameters: + - name: Attribute + in: query + required: true + description: '

The attribute to reset.

You can only reset the following attributes: kernel | ramdisk | sourceDestCheck.

' + schema: + type: string + enum: + - instanceType + - kernel + - ramdisk + - userData + - disableApiTermination + - instanceInitiatedShutdownBehavior + - rootDeviceName + - blockDeviceMapping + - productCodes + - sourceDestCheck + - groupSet + - ebsOptimized + - sriovNetSupport + - enaSupport + - enclaveOptions + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetInstanceAttribute + operationId: POST_ResetInstanceAttribute + description: '

Resets an attribute of an instance to its default value. To reset the kernel or ramdisk, the instance must be in a stopped state. To reset the sourceDestCheck, the instance can be either running or stopped.

The sourceDestCheck attribute controls whether source/destination checking is enabled. The default value is true, which means checking is enabled. This value must be false for a NAT instance to perform NAT. For more information, see NAT Instances in the Amazon VPC User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetInstanceAttributeRequest' + parameters: [] + /?Action=ResetNetworkInterfaceAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ResetNetworkInterfaceAttribute + operationId: GET_ResetNetworkInterfaceAttribute + description: Resets a network interface attribute. You can specify only one attribute at a time. + responses: + '200': + description: Success + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + - name: SourceDestCheck + in: query + required: false + description: The source/destination checking attribute. Resets the value to true. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetNetworkInterfaceAttribute + operationId: POST_ResetNetworkInterfaceAttribute + description: Resets a network interface attribute. You can specify only one attribute at a time. + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetNetworkInterfaceAttributeRequest' + parameters: [] + /?Action=ResetSnapshotAttribute&Version=2016-11-15: + get: + x-aws-operation-name: ResetSnapshotAttribute + operationId: GET_ResetSnapshotAttribute + description: '

Resets permission settings for the specified snapshot.

For more information about modifying snapshot permissions, see Share a snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + parameters: + - name: Attribute + in: query + required: true + description: 'The attribute to reset. Currently, only the attribute for permission to create volumes can be reset.' + schema: + type: string + enum: + - productCodes + - createVolumePermission + - name: SnapshotId + in: query + required: true + description: The ID of the snapshot. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: ResetSnapshotAttribute + operationId: POST_ResetSnapshotAttribute + description: '

Resets permission settings for the specified snapshot.

For more information about modifying snapshot permissions, see Share a snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/ResetSnapshotAttributeRequest' + parameters: [] + /?Action=RestoreAddressToClassic&Version=2016-11-15: + get: + x-aws-operation-name: RestoreAddressToClassic + operationId: GET_RestoreAddressToClassic + description: Restores an Elastic IP address that was previously moved to the EC2-VPC platform back to the EC2-Classic platform. You cannot move an Elastic IP address that was originally allocated for use in EC2-VPC. The Elastic IP address must not be associated with an instance or network interface. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreAddressToClassicResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PublicIp + in: query + required: true + description: The Elastic IP address. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RestoreAddressToClassic + operationId: POST_RestoreAddressToClassic + description: Restores an Elastic IP address that was previously moved to the EC2-VPC platform back to the EC2-Classic platform. You cannot move an Elastic IP address that was originally allocated for use in EC2-VPC. The Elastic IP address must not be associated with an instance or network interface. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreAddressToClassicResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreAddressToClassicRequest' + parameters: [] + /?Action=RestoreImageFromRecycleBin&Version=2016-11-15: + get: + x-aws-operation-name: RestoreImageFromRecycleBin + operationId: GET_RestoreImageFromRecycleBin + description: 'Restores an AMI from the Recycle Bin. For more information, see Recycle Bin in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreImageFromRecycleBinResult' + parameters: + - name: ImageId + in: query + required: true + description: The ID of the AMI to restore. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RestoreImageFromRecycleBin + operationId: POST_RestoreImageFromRecycleBin + description: 'Restores an AMI from the Recycle Bin. For more information, see Recycle Bin in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreImageFromRecycleBinResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreImageFromRecycleBinRequest' + parameters: [] + /?Action=RestoreManagedPrefixListVersion&Version=2016-11-15: + get: + x-aws-operation-name: RestoreManagedPrefixListVersion + operationId: GET_RestoreManagedPrefixListVersion + description: Restores the entries from a previous version of a managed prefix list to a new version of the prefix list. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreManagedPrefixListVersionResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: PrefixListId + in: query + required: true + description: The ID of the prefix list. + schema: + type: string + - name: PreviousVersion + in: query + required: true + description: The version to restore. + schema: + type: integer + - name: CurrentVersion + in: query + required: true + description: The current version number for the prefix list. + schema: + type: integer + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RestoreManagedPrefixListVersion + operationId: POST_RestoreManagedPrefixListVersion + description: Restores the entries from a previous version of a managed prefix list to a new version of the prefix list. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreManagedPrefixListVersionResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreManagedPrefixListVersionRequest' + parameters: [] + /?Action=RestoreSnapshotFromRecycleBin&Version=2016-11-15: + get: + x-aws-operation-name: RestoreSnapshotFromRecycleBin + operationId: GET_RestoreSnapshotFromRecycleBin + description: 'Restores a snapshot from the Recycle Bin. For more information, see Restore snapshots from the Recycle Bin in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreSnapshotFromRecycleBinResult' + parameters: + - name: SnapshotId + in: query + required: true + description: The ID of the snapshot to restore. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RestoreSnapshotFromRecycleBin + operationId: POST_RestoreSnapshotFromRecycleBin + description: 'Restores a snapshot from the Recycle Bin. For more information, see Restore snapshots from the Recycle Bin in the Amazon Elastic Compute Cloud User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreSnapshotFromRecycleBinResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreSnapshotFromRecycleBinRequest' + parameters: [] + /?Action=RestoreSnapshotTier&Version=2016-11-15: + get: + x-aws-operation-name: RestoreSnapshotTier + operationId: GET_RestoreSnapshotTier + description: '

Restores an archived Amazon EBS snapshot for use temporarily or permanently, or modifies the restore period or restore type for a snapshot that was previously temporarily restored.

For more information see Restore an archived snapshot and modify the restore period or restore type for a temporarily restored snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreSnapshotTierResult' + parameters: + - name: SnapshotId + in: query + required: true + description: The ID of the snapshot to restore. + schema: + type: string + - name: TemporaryRestoreDays + in: query + required: false + description: '

Specifies the number of days for which to temporarily restore an archived snapshot. Required for temporary restores only. The snapshot will be automatically re-archived after this period.

To temporarily restore an archived snapshot, specify the number of days and omit the PermanentRestore parameter or set it to false.

' + schema: + type: integer + - name: PermanentRestore + in: query + required: false + description: 'Indicates whether to permanently restore an archived snapshot. To permanently restore an archived snapshot, specify true and omit the RestoreSnapshotTierRequest$TemporaryRestoreDays parameter.' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RestoreSnapshotTier + operationId: POST_RestoreSnapshotTier + description: '

Restores an archived Amazon EBS snapshot for use temporarily or permanently, or modifies the restore period or restore type for a snapshot that was previously temporarily restored.

For more information see Restore an archived snapshot and modify the restore period or restore type for a temporarily restored snapshot in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreSnapshotTierResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreSnapshotTierRequest' + parameters: [] + /?Action=RevokeClientVpnIngress&Version=2016-11-15: + get: + x-aws-operation-name: RevokeClientVpnIngress + operationId: GET_RevokeClientVpnIngress + description: 'Removes an ingress authorization rule from a Client VPN endpoint. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeClientVpnIngressResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint with which the authorization rule is associated. + schema: + type: string + - name: TargetNetworkCidr + in: query + required: true + description: 'The IPv4 address range, in CIDR notation, of the network for which access is being removed.' + schema: + type: string + - name: AccessGroupId + in: query + required: false + description: 'The ID of the Active Directory group for which to revoke access. ' + schema: + type: string + - name: RevokeAllGroups + in: query + required: false + description: Indicates whether access should be revoked for all clients. + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RevokeClientVpnIngress + operationId: POST_RevokeClientVpnIngress + description: 'Removes an ingress authorization rule from a Client VPN endpoint. ' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeClientVpnIngressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeClientVpnIngressRequest' + parameters: [] + /?Action=RevokeSecurityGroupEgress&Version=2016-11-15: + get: + x-aws-operation-name: RevokeSecurityGroupEgress + operationId: GET_RevokeSecurityGroupEgress + description: '

[VPC only] Removes the specified outbound (egress) rules from a security group for EC2-VPC. This action does not apply to security groups for use in EC2-Classic.

You can specify rules using either rule IDs or security group rule properties. If you use rule properties, the values that you specify (for example, ports) must match the existing rule''s values exactly. Each rule has a protocol, from and to ports, and destination (CIDR range, security group, or prefix list). For the TCP and UDP protocols, you must also specify the destination port or range of ports. For the ICMP protocol, you must also specify the ICMP type and code. If the security group rule has a description, you do not need to specify the description to revoke the rule.

[Default VPC] If the values you specify do not match the existing rule''s values, no error is returned, and the output describes the security group rules that were not revoked.

Amazon Web Services recommends that you describe the security group to verify that the rules were removed.

Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeSecurityGroupEgressResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupId + in: query + required: true + description: The ID of the security group. + schema: + type: string + - name: IpPermissions + in: query + required: false + description: The sets of IP permissions. You can't specify a destination security group and a CIDR IP address range in the same set of permissions. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + - name: SecurityGroupRuleId + in: query + required: false + description: The IDs of the security group rules. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: CidrIp + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the CIDR. + schema: + type: string + - name: FromPort + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the port. + schema: + type: integer + - name: IpProtocol + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the protocol name or number. + schema: + type: string + - name: ToPort + in: query + required: false + description: Not supported. Use a set of IP permissions to specify the port. + schema: + type: integer + - name: SourceSecurityGroupName + in: query + required: false + description: Not supported. Use a set of IP permissions to specify a destination security group. + schema: + type: string + - name: SourceSecurityGroupOwnerId + in: query + required: false + description: Not supported. Use a set of IP permissions to specify a destination security group. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RevokeSecurityGroupEgress + operationId: POST_RevokeSecurityGroupEgress + description: '

[VPC only] Removes the specified outbound (egress) rules from a security group for EC2-VPC. This action does not apply to security groups for use in EC2-Classic.

You can specify rules using either rule IDs or security group rule properties. If you use rule properties, the values that you specify (for example, ports) must match the existing rule''s values exactly. Each rule has a protocol, from and to ports, and destination (CIDR range, security group, or prefix list). For the TCP and UDP protocols, you must also specify the destination port or range of ports. For the ICMP protocol, you must also specify the ICMP type and code. If the security group rule has a description, you do not need to specify the description to revoke the rule.

[Default VPC] If the values you specify do not match the existing rule''s values, no error is returned, and the output describes the security group rules that were not revoked.

Amazon Web Services recommends that you describe the security group to verify that the rules were removed.

Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeSecurityGroupEgressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeSecurityGroupEgressRequest' + parameters: [] + /?Action=RevokeSecurityGroupIngress&Version=2016-11-15: + get: + x-aws-operation-name: RevokeSecurityGroupIngress + operationId: GET_RevokeSecurityGroupIngress + description: '

Removes the specified inbound (ingress) rules from a security group.

You can specify rules using either rule IDs or security group rule properties. If you use rule properties, the values that you specify (for example, ports) must match the existing rule''s values exactly. Each rule has a protocol, from and to ports, and source (CIDR range, security group, or prefix list). For the TCP and UDP protocols, you must also specify the destination port or range of ports. For the ICMP protocol, you must also specify the ICMP type and code. If the security group rule has a description, you do not need to specify the description to revoke the rule.

[EC2-Classic, default VPC] If the values you specify do not match the existing rule''s values, no error is returned, and the output describes the security group rules that were not revoked.

Amazon Web Services recommends that you describe the security group to verify that the rules were removed.

Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeSecurityGroupIngressResult' + parameters: + - name: CidrIp + in: query + required: false + description: The CIDR IP address range. You can't specify this parameter when specifying a source security group. + schema: + type: string + - name: FromPort + in: query + required: false + description: 'The start of port range for the TCP and UDP protocols, or an ICMP type number. For the ICMP type number, use -1 to specify all ICMP types.' + schema: + type: integer + - name: GroupId + in: query + required: false + description: 'The ID of the security group. You must specify either the security group ID or the security group name in the request. For security groups in a nondefault VPC, you must specify the security group ID.' + schema: + type: string + - name: GroupName + in: query + required: false + description: '[EC2-Classic, default VPC] The name of the security group. You must specify either the security group ID or the security group name in the request.' + schema: + type: string + - name: IpPermissions + in: query + required: false + description: The sets of IP permissions. You can't specify a source security group and a CIDR IP address range in the same set of permissions. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + - name: IpProtocol + in: query + required: false + description: 'The IP protocol name (tcp, udp, icmp) or number (see Protocol Numbers). Use -1 to specify all.' + schema: + type: string + - name: SourceSecurityGroupName + in: query + required: false + description: '[EC2-Classic, default VPC] The name of the source security group. You can''t specify this parameter in combination with the following parameters: the CIDR IP address range, the start of the port range, the IP protocol, and the end of the port range. For EC2-VPC, the source security group must be in the same VPC. To revoke a specific rule for an IP protocol and port range, use a set of IP permissions instead.' + schema: + type: string + - name: SourceSecurityGroupOwnerId + in: query + required: false + description: '[EC2-Classic] The Amazon Web Services account ID of the source security group, if the source security group is in a different account. You can''t specify this parameter in combination with the following parameters: the CIDR IP address range, the IP protocol, the start of the port range, and the end of the port range. To revoke a specific rule for an IP protocol and port range, use a set of IP permissions instead.' + schema: + type: string + - name: ToPort + in: query + required: false + description: 'The end of port range for the TCP and UDP protocols, or an ICMP code number. For the ICMP code number, use -1 to specify all ICMP codes for the ICMP type.' + schema: + type: integer + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: SecurityGroupRuleId + in: query + required: false + description: The IDs of the security group rules. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RevokeSecurityGroupIngress + operationId: POST_RevokeSecurityGroupIngress + description: '

Removes the specified inbound (ingress) rules from a security group.

You can specify rules using either rule IDs or security group rule properties. If you use rule properties, the values that you specify (for example, ports) must match the existing rule''s values exactly. Each rule has a protocol, from and to ports, and source (CIDR range, security group, or prefix list). For the TCP and UDP protocols, you must also specify the destination port or range of ports. For the ICMP protocol, you must also specify the ICMP type and code. If the security group rule has a description, you do not need to specify the description to revoke the rule.

[EC2-Classic, default VPC] If the values you specify do not match the existing rule''s values, no error is returned, and the output describes the security group rules that were not revoked.

Amazon Web Services recommends that you describe the security group to verify that the rules were removed.

Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeSecurityGroupIngressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RevokeSecurityGroupIngressRequest' + parameters: [] + /?Action=RunInstances&Version=2016-11-15: + get: + x-aws-operation-name: RunInstances + operationId: GET_RunInstances + description: '

Launches the specified number of instances using an AMI for which you have permissions.

You can specify a number of options, or leave the default options. The following rules apply:

You can create a launch template, which is a resource that contains the parameters to launch an instance. When you launch an instance using RunInstances, you can specify the launch template instead of specifying the launch parameters.

To ensure faster instance launches, break up large requests into smaller batches. For example, create five separate launch requests for 100 instances each instead of one launch request for 500 instances.

An instance is ready for you to use when it''s in the running state. You can check the state of your instance using DescribeInstances. You can tag instances and EBS volumes during launch, after launch, or both. For more information, see CreateTags and Tagging your Amazon EC2 resources.

Linux instances have access to the public key of the key pair at boot. You can use this key to provide secure access to the instance. Amazon EC2 public images use this feature to provide secure access without passwords. For more information, see Key pairs.

For troubleshooting, see What to do if an instance immediately terminates, and Troubleshooting connecting to your instance.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/Reservation' + parameters: + - name: BlockDeviceMapping + in: query + required: false + description: 'The block device mapping, which defines the EBS volumes and instance store volumes to attach to the instance at launch. For more information, see Block device mappings in the Amazon EC2 User Guide.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/BlockDeviceMapping' + - xml: + name: BlockDeviceMapping + - name: ImageId + in: query + required: false + description: The ID of the AMI. An AMI ID is required to launch an instance and must be specified here or in a launch template. + schema: + type: string + - name: InstanceType + in: query + required: false + description: '

The instance type. For more information, see Instance types in the Amazon EC2 User Guide.

Default: m1.small

' + schema: + type: string + enum: + - a1.medium + - a1.large + - a1.xlarge + - a1.2xlarge + - a1.4xlarge + - a1.metal + - c1.medium + - c1.xlarge + - c3.large + - c3.xlarge + - c3.2xlarge + - c3.4xlarge + - c3.8xlarge + - c4.large + - c4.xlarge + - c4.2xlarge + - c4.4xlarge + - c4.8xlarge + - c5.large + - c5.xlarge + - c5.2xlarge + - c5.4xlarge + - c5.9xlarge + - c5.12xlarge + - c5.18xlarge + - c5.24xlarge + - c5.metal + - c5a.large + - c5a.xlarge + - c5a.2xlarge + - c5a.4xlarge + - c5a.8xlarge + - c5a.12xlarge + - c5a.16xlarge + - c5a.24xlarge + - c5ad.large + - c5ad.xlarge + - c5ad.2xlarge + - c5ad.4xlarge + - c5ad.8xlarge + - c5ad.12xlarge + - c5ad.16xlarge + - c5ad.24xlarge + - c5d.large + - c5d.xlarge + - c5d.2xlarge + - c5d.4xlarge + - c5d.9xlarge + - c5d.12xlarge + - c5d.18xlarge + - c5d.24xlarge + - c5d.metal + - c5n.large + - c5n.xlarge + - c5n.2xlarge + - c5n.4xlarge + - c5n.9xlarge + - c5n.18xlarge + - c5n.metal + - c6g.medium + - c6g.large + - c6g.xlarge + - c6g.2xlarge + - c6g.4xlarge + - c6g.8xlarge + - c6g.12xlarge + - c6g.16xlarge + - c6g.metal + - c6gd.medium + - c6gd.large + - c6gd.xlarge + - c6gd.2xlarge + - c6gd.4xlarge + - c6gd.8xlarge + - c6gd.12xlarge + - c6gd.16xlarge + - c6gd.metal + - c6gn.medium + - c6gn.large + - c6gn.xlarge + - c6gn.2xlarge + - c6gn.4xlarge + - c6gn.8xlarge + - c6gn.12xlarge + - c6gn.16xlarge + - c6i.large + - c6i.xlarge + - c6i.2xlarge + - c6i.4xlarge + - c6i.8xlarge + - c6i.12xlarge + - c6i.16xlarge + - c6i.24xlarge + - c6i.32xlarge + - c6i.metal + - cc1.4xlarge + - cc2.8xlarge + - cg1.4xlarge + - cr1.8xlarge + - d2.xlarge + - d2.2xlarge + - d2.4xlarge + - d2.8xlarge + - d3.xlarge + - d3.2xlarge + - d3.4xlarge + - d3.8xlarge + - d3en.xlarge + - d3en.2xlarge + - d3en.4xlarge + - d3en.6xlarge + - d3en.8xlarge + - d3en.12xlarge + - dl1.24xlarge + - f1.2xlarge + - f1.4xlarge + - f1.16xlarge + - g2.2xlarge + - g2.8xlarge + - g3.4xlarge + - g3.8xlarge + - g3.16xlarge + - g3s.xlarge + - g4ad.xlarge + - g4ad.2xlarge + - g4ad.4xlarge + - g4ad.8xlarge + - g4ad.16xlarge + - g4dn.xlarge + - g4dn.2xlarge + - g4dn.4xlarge + - g4dn.8xlarge + - g4dn.12xlarge + - g4dn.16xlarge + - g4dn.metal + - g5.xlarge + - g5.2xlarge + - g5.4xlarge + - g5.8xlarge + - g5.12xlarge + - g5.16xlarge + - g5.24xlarge + - g5.48xlarge + - g5g.xlarge + - g5g.2xlarge + - g5g.4xlarge + - g5g.8xlarge + - g5g.16xlarge + - g5g.metal + - hi1.4xlarge + - hpc6a.48xlarge + - hs1.8xlarge + - h1.2xlarge + - h1.4xlarge + - h1.8xlarge + - h1.16xlarge + - i2.xlarge + - i2.2xlarge + - i2.4xlarge + - i2.8xlarge + - i3.large + - i3.xlarge + - i3.2xlarge + - i3.4xlarge + - i3.8xlarge + - i3.16xlarge + - i3.metal + - i3en.large + - i3en.xlarge + - i3en.2xlarge + - i3en.3xlarge + - i3en.6xlarge + - i3en.12xlarge + - i3en.24xlarge + - i3en.metal + - im4gn.large + - im4gn.xlarge + - im4gn.2xlarge + - im4gn.4xlarge + - im4gn.8xlarge + - im4gn.16xlarge + - inf1.xlarge + - inf1.2xlarge + - inf1.6xlarge + - inf1.24xlarge + - is4gen.medium + - is4gen.large + - is4gen.xlarge + - is4gen.2xlarge + - is4gen.4xlarge + - is4gen.8xlarge + - m1.small + - m1.medium + - m1.large + - m1.xlarge + - m2.xlarge + - m2.2xlarge + - m2.4xlarge + - m3.medium + - m3.large + - m3.xlarge + - m3.2xlarge + - m4.large + - m4.xlarge + - m4.2xlarge + - m4.4xlarge + - m4.10xlarge + - m4.16xlarge + - m5.large + - m5.xlarge + - m5.2xlarge + - m5.4xlarge + - m5.8xlarge + - m5.12xlarge + - m5.16xlarge + - m5.24xlarge + - m5.metal + - m5a.large + - m5a.xlarge + - m5a.2xlarge + - m5a.4xlarge + - m5a.8xlarge + - m5a.12xlarge + - m5a.16xlarge + - m5a.24xlarge + - m5ad.large + - m5ad.xlarge + - m5ad.2xlarge + - m5ad.4xlarge + - m5ad.8xlarge + - m5ad.12xlarge + - m5ad.16xlarge + - m5ad.24xlarge + - m5d.large + - m5d.xlarge + - m5d.2xlarge + - m5d.4xlarge + - m5d.8xlarge + - m5d.12xlarge + - m5d.16xlarge + - m5d.24xlarge + - m5d.metal + - m5dn.large + - m5dn.xlarge + - m5dn.2xlarge + - m5dn.4xlarge + - m5dn.8xlarge + - m5dn.12xlarge + - m5dn.16xlarge + - m5dn.24xlarge + - m5dn.metal + - m5n.large + - m5n.xlarge + - m5n.2xlarge + - m5n.4xlarge + - m5n.8xlarge + - m5n.12xlarge + - m5n.16xlarge + - m5n.24xlarge + - m5n.metal + - m5zn.large + - m5zn.xlarge + - m5zn.2xlarge + - m5zn.3xlarge + - m5zn.6xlarge + - m5zn.12xlarge + - m5zn.metal + - m6a.large + - m6a.xlarge + - m6a.2xlarge + - m6a.4xlarge + - m6a.8xlarge + - m6a.12xlarge + - m6a.16xlarge + - m6a.24xlarge + - m6a.32xlarge + - m6a.48xlarge + - m6g.metal + - m6g.medium + - m6g.large + - m6g.xlarge + - m6g.2xlarge + - m6g.4xlarge + - m6g.8xlarge + - m6g.12xlarge + - m6g.16xlarge + - m6gd.metal + - m6gd.medium + - m6gd.large + - m6gd.xlarge + - m6gd.2xlarge + - m6gd.4xlarge + - m6gd.8xlarge + - m6gd.12xlarge + - m6gd.16xlarge + - m6i.large + - m6i.xlarge + - m6i.2xlarge + - m6i.4xlarge + - m6i.8xlarge + - m6i.12xlarge + - m6i.16xlarge + - m6i.24xlarge + - m6i.32xlarge + - m6i.metal + - mac1.metal + - p2.xlarge + - p2.8xlarge + - p2.16xlarge + - p3.2xlarge + - p3.8xlarge + - p3.16xlarge + - p3dn.24xlarge + - p4d.24xlarge + - r3.large + - r3.xlarge + - r3.2xlarge + - r3.4xlarge + - r3.8xlarge + - r4.large + - r4.xlarge + - r4.2xlarge + - r4.4xlarge + - r4.8xlarge + - r4.16xlarge + - r5.large + - r5.xlarge + - r5.2xlarge + - r5.4xlarge + - r5.8xlarge + - r5.12xlarge + - r5.16xlarge + - r5.24xlarge + - r5.metal + - r5a.large + - r5a.xlarge + - r5a.2xlarge + - r5a.4xlarge + - r5a.8xlarge + - r5a.12xlarge + - r5a.16xlarge + - r5a.24xlarge + - r5ad.large + - r5ad.xlarge + - r5ad.2xlarge + - r5ad.4xlarge + - r5ad.8xlarge + - r5ad.12xlarge + - r5ad.16xlarge + - r5ad.24xlarge + - r5b.large + - r5b.xlarge + - r5b.2xlarge + - r5b.4xlarge + - r5b.8xlarge + - r5b.12xlarge + - r5b.16xlarge + - r5b.24xlarge + - r5b.metal + - r5d.large + - r5d.xlarge + - r5d.2xlarge + - r5d.4xlarge + - r5d.8xlarge + - r5d.12xlarge + - r5d.16xlarge + - r5d.24xlarge + - r5d.metal + - r5dn.large + - r5dn.xlarge + - r5dn.2xlarge + - r5dn.4xlarge + - r5dn.8xlarge + - r5dn.12xlarge + - r5dn.16xlarge + - r5dn.24xlarge + - r5dn.metal + - r5n.large + - r5n.xlarge + - r5n.2xlarge + - r5n.4xlarge + - r5n.8xlarge + - r5n.12xlarge + - r5n.16xlarge + - r5n.24xlarge + - r5n.metal + - r6g.medium + - r6g.large + - r6g.xlarge + - r6g.2xlarge + - r6g.4xlarge + - r6g.8xlarge + - r6g.12xlarge + - r6g.16xlarge + - r6g.metal + - r6gd.medium + - r6gd.large + - r6gd.xlarge + - r6gd.2xlarge + - r6gd.4xlarge + - r6gd.8xlarge + - r6gd.12xlarge + - r6gd.16xlarge + - r6gd.metal + - r6i.large + - r6i.xlarge + - r6i.2xlarge + - r6i.4xlarge + - r6i.8xlarge + - r6i.12xlarge + - r6i.16xlarge + - r6i.24xlarge + - r6i.32xlarge + - r6i.metal + - t1.micro + - t2.nano + - t2.micro + - t2.small + - t2.medium + - t2.large + - t2.xlarge + - t2.2xlarge + - t3.nano + - t3.micro + - t3.small + - t3.medium + - t3.large + - t3.xlarge + - t3.2xlarge + - t3a.nano + - t3a.micro + - t3a.small + - t3a.medium + - t3a.large + - t3a.xlarge + - t3a.2xlarge + - t4g.nano + - t4g.micro + - t4g.small + - t4g.medium + - t4g.large + - t4g.xlarge + - t4g.2xlarge + - u-6tb1.56xlarge + - u-6tb1.112xlarge + - u-9tb1.112xlarge + - u-12tb1.112xlarge + - u-6tb1.metal + - u-9tb1.metal + - u-12tb1.metal + - u-18tb1.metal + - u-24tb1.metal + - vt1.3xlarge + - vt1.6xlarge + - vt1.24xlarge + - x1.16xlarge + - x1.32xlarge + - x1e.xlarge + - x1e.2xlarge + - x1e.4xlarge + - x1e.8xlarge + - x1e.16xlarge + - x1e.32xlarge + - x2iezn.2xlarge + - x2iezn.4xlarge + - x2iezn.6xlarge + - x2iezn.8xlarge + - x2iezn.12xlarge + - x2iezn.metal + - x2gd.medium + - x2gd.large + - x2gd.xlarge + - x2gd.2xlarge + - x2gd.4xlarge + - x2gd.8xlarge + - x2gd.12xlarge + - x2gd.16xlarge + - x2gd.metal + - z1d.large + - z1d.xlarge + - z1d.2xlarge + - z1d.3xlarge + - z1d.6xlarge + - z1d.12xlarge + - z1d.metal + - x2idn.16xlarge + - x2idn.24xlarge + - x2idn.32xlarge + - x2iedn.xlarge + - x2iedn.2xlarge + - x2iedn.4xlarge + - x2iedn.8xlarge + - x2iedn.16xlarge + - x2iedn.24xlarge + - x2iedn.32xlarge + - c6a.large + - c6a.xlarge + - c6a.2xlarge + - c6a.4xlarge + - c6a.8xlarge + - c6a.12xlarge + - c6a.16xlarge + - c6a.24xlarge + - c6a.32xlarge + - c6a.48xlarge + - c6a.metal + - m6a.metal + - i4i.large + - i4i.xlarge + - i4i.2xlarge + - i4i.4xlarge + - i4i.8xlarge + - i4i.16xlarge + - i4i.32xlarge + - name: Ipv6AddressCount + in: query + required: false + description: '

[EC2-VPC] The number of IPv6 addresses to associate with the primary network interface. Amazon EC2 chooses the IPv6 addresses from the range of your subnet. You cannot specify this option and the option to assign specific IPv6 addresses in the same request. You can specify this option if you''ve specified a minimum number of instances to launch.

You cannot specify this option and the network interfaces option in the same request.

' + schema: + type: integer + - name: Ipv6Address + in: query + required: false + description: '

[EC2-VPC] The IPv6 addresses from the range of the subnet to associate with the primary network interface. You cannot specify this option and the option to assign a number of IPv6 addresses in the same request. You cannot specify this option if you''ve specified a minimum number of instances to launch.

You cannot specify this option and the network interfaces option in the same request.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceIpv6Address' + - xml: + name: item + - name: KernelId + in: query + required: false + description: '

The ID of the kernel.

We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB in the Amazon EC2 User Guide.

' + schema: + type: string + - name: KeyName + in: query + required: false + description: '

The name of the key pair. You can create a key pair using CreateKeyPair or ImportKeyPair.

If you do not specify a key pair, you can''t connect to the instance unless you choose an AMI that is configured to allow users another way to log in.

' + schema: + type: string + - name: MaxCount + in: query + required: true + description: '

The maximum number of instances to launch. If you specify more instances than Amazon EC2 can launch in the target Availability Zone, Amazon EC2 launches the largest possible number of instances above MinCount.

Constraints: Between 1 and the maximum number you''re allowed for the specified instance type. For more information about the default limits, and how to request an increase, see How many instances can I run in Amazon EC2 in the Amazon EC2 FAQ.

' + schema: + type: integer + - name: MinCount + in: query + required: true + description: '

The minimum number of instances to launch. If you specify a minimum that is more instances than Amazon EC2 can launch in the target Availability Zone, Amazon EC2 launches no instances.

Constraints: Between 1 and the maximum number you''re allowed for the specified instance type. For more information about the default limits, and how to request an increase, see How many instances can I run in Amazon EC2 in the Amazon EC2 General FAQ.

' + schema: + type: integer + - name: Monitoring + in: query + required: false + description: Specifies whether detailed monitoring is enabled for the instance. + schema: + type: object + required: + - Enabled + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether detailed monitoring is enabled. Otherwise, basic monitoring is enabled.' + description: Describes the monitoring of an instance. + - name: Placement + in: query + required: false + description: The placement for the instance. + schema: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Availability Zone of the instance.

If not specified, an Availability Zone will be automatically chosen for you based on the load balancing criteria for the Region.

This parameter is not supported by CreateFleet.

' + affinity: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The affinity setting for the instance on the Dedicated Host. This parameter is not supported for the ImportInstance command.

This parameter is not supported by CreateFleet.

' + groupName: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: The name of the placement group the instance is in. + partitionNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of the partition that the instance is in. Valid only if the placement group strategy is set to partition.

This parameter is not supported by CreateFleet.

' + hostId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The ID of the Dedicated Host on which the instance resides. This parameter is not supported for the ImportInstance command.

This parameter is not supported by CreateFleet.

' + tenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: '

The tenancy of the instance (if the instance is running in a VPC). An instance with a tenancy of dedicated runs on single-tenant hardware. The host tenancy is not supported for the ImportInstance command.

This parameter is not supported by CreateFleet.

T3 instances that use the unlimited CPU credit option do not support host tenancy.

' + spreadDomain: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Reserved for future use.

This parameter is not supported by CreateFleet.

' + hostResourceGroupArn: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The ARN of the host resource group in which to launch the instances. If you specify a host resource group ARN, omit the Tenancy parameter or set it to host.

This parameter is not supported by CreateFleet.

' + description: Describes the placement of an instance. + - name: RamdiskId + in: query + required: false + description: '

The ID of the RAM disk to select. Some kernels require additional drivers at launch. Check the kernel requirements for information about whether you need to specify a RAM disk. To find kernel requirements, go to the Amazon Web Services Resource Center and search for the kernel ID.

We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB in the Amazon EC2 User Guide.

' + schema: + type: string + - name: SecurityGroupId + in: query + required: false + description: '

The IDs of the security groups. You can create a security group using CreateSecurityGroup.

If you specify a network interface, you must specify any security groups as part of the network interface.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: SecurityGroupId + - name: SecurityGroup + in: query + required: false + description: '

[EC2-Classic, default VPC] The names of the security groups. For a nondefault VPC, you must use security group IDs instead.

If you specify a network interface, you must specify any security groups as part of the network interface.

Default: Amazon EC2 uses the default security group.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupName' + - xml: + name: SecurityGroup + - name: SubnetId + in: query + required: false + description: '

[EC2-VPC] The ID of the subnet to launch the instance into.

If you specify a network interface, you must specify any subnets as part of the network interface.

' + schema: + type: string + - name: UserData + in: query + required: false + description: 'The user data script to make available to the instance. For more information, see Run commands on your Linux instance at launch and Run commands on your Windows instance at launch. If you are using a command line tool, base64-encoding is performed for you, and you can load the text from a file. Otherwise, you must provide base64-encoded text. User data is limited to 16 KB.' + schema: + type: string + format: password + - name: AdditionalInfo + in: query + required: false + description: Reserved. + schema: + type: string + - name: ClientToken + in: query + required: false + description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. If you do not specify a client token, a randomly generated token is used for the request to ensure idempotency.

For more information, see Ensuring Idempotency.

Constraints: Maximum 64 ASCII characters

' + schema: + type: string + - name: DisableApiTermination + in: query + required: false + description: '

If you set this parameter to true, you can''t terminate the instance using the Amazon EC2 console, CLI, or API; otherwise, you can. To change this attribute after launch, use ModifyInstanceAttribute. Alternatively, if you set InstanceInitiatedShutdownBehavior to terminate, you can terminate the instance by running the shutdown command from the instance.

Default: false

' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: EbsOptimized + in: query + required: false + description: '

Indicates whether the instance is optimized for Amazon EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal Amazon EBS I/O performance. This optimization isn''t available with all instance types. Additional usage charges apply when using an EBS-optimized instance.

Default: false

' + schema: + type: boolean + - name: IamInstanceProfile + in: query + required: false + description: The name or Amazon Resource Name (ARN) of an IAM instance profile. + schema: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the instance profile. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the instance profile. + description: Describes an IAM instance profile. + - name: InstanceInitiatedShutdownBehavior + in: query + required: false + description: '

Indicates whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown).

Default: stop

' + schema: + type: string + enum: + - stop + - terminate + - name: NetworkInterface + in: query + required: false + description: 'The network interfaces to associate with the instance. If you specify a network interface, you must specify any security groups and subnets as part of the network interface.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecification' + - xml: + name: item + - name: PrivateIpAddress + in: query + required: false + description: '

[EC2-VPC] The primary IPv4 address. You must specify a value from the IPv4 address range of the subnet.

Only one private IP address can be designated as primary. You can''t specify this option if you''ve specified the option to designate a private IP address as the primary IP address in a network interface specification. You cannot specify this option if you''re launching more than one instance in the request.

You cannot specify this option and the network interfaces option in the same request.

' + schema: + type: string + - name: ElasticGpuSpecification + in: query + required: false + description: 'An elastic GPU to associate with the instance. An Elastic GPU is a GPU resource that you can attach to your Windows instance to accelerate the graphics performance of your applications. For more information, see Amazon EC2 Elastic GPUs in the Amazon EC2 User Guide.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecification' + - xml: + name: item + - name: ElasticInferenceAccelerator + in: query + required: false + description:

An elastic inference accelerator to associate with the instance. Elastic inference accelerators are a resource you can attach to your Amazon EC2 instances to accelerate your Deep Learning (DL) inference workloads.

You cannot specify accelerators from different generations in the same request.

+ schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticInferenceAccelerator' + - xml: + name: item + - name: TagSpecification + in: query + required: false + description: 'The tags to apply to the resources during launch. You can only tag instances and volumes on launch. The specified tags are applied to all instances or volumes that are created during launch. To tag a resource after it has been created, see CreateTags.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: LaunchTemplate + in: query + required: false + description: 'The launch template to use to launch the instances. Any parameters that you specify in RunInstances override the same parameters in the launch template. You can specify either the name or ID of a launch template, but not both.' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The version number of the launch template.

Default: The default version for the launch template.

' + description: 'The launch template to use. You must specify either the launch template ID or launch template name in the request, but not both.' + - name: InstanceMarketOptions + in: query + required: false + description: '

The market (purchasing) option for the instances.

For RunInstances, persistent Spot Instance requests are only supported when InstanceInterruptionBehavior is set to either hibernate or stop.

' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SpotMarketOptions' + - description: The options for Spot Instances. + description: Describes the market (purchasing) option for the instances. + - name: CreditSpecification + in: query + required: false + description: '

The credit option for CPU usage of the burstable performance instance. Valid values are standard and unlimited. To change this attribute after launch, use ModifyInstanceCreditSpecification. For more information, see Burstable performance instances in the Amazon EC2 User Guide.

Default: standard (T2 instances) or unlimited (T3/T3a instances)

For T3 instances with host tenancy, only standard is supported.

' + schema: + type: object + required: + - CpuCredits + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The credit option for CPU usage of a T2, T3, or T3a instance. Valid values are standard and unlimited.' + description: 'The credit option for CPU usage of a T2, T3, or T3a instance.' + - name: CpuOptions + in: query + required: false + description: 'The CPU options for the instance. For more information, see Optimize CPU options in the Amazon EC2 User Guide.' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of threads per CPU core. To disable multithreading for the instance, specify a value of 1. Otherwise, specify the default value of 2.' + description: The CPU options for the instance. Both the core count and threads per core must be specified in the request. + - name: CapacityReservationSpecification + in: query + required: false + description: 'Information about the Capacity Reservation targeting option. If you do not specify this parameter, the instance''s Capacity Reservation preference defaults to open, which enables it to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone).' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CapacityReservationTarget' + - description: Information about the target Capacity Reservation or Capacity Reservation group. + description: '

Describes an instance''s Capacity Reservation targeting option. You can specify only one parameter at a time. If you specify CapacityReservationPreference and CapacityReservationTarget, the request fails.

Use the CapacityReservationPreference parameter to configure the instance to run as an On-Demand Instance or to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone). Use the CapacityReservationTarget parameter to explicitly target a specific Capacity Reservation or a Capacity Reservation group.

' + - name: HibernationOptions + in: query + required: false + description: '

Indicates whether an instance is enabled for hibernation. For more information, see Hibernate your instance in the Amazon EC2 User Guide.

You can''t enable hibernation and Amazon Web Services Nitro Enclaves on the same instance.

' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If you set this parameter to true, your instance is enabled for hibernation.

Default: false

' + description: 'Indicates whether your instance is configured for hibernation. This parameter is valid only if the instance meets the hibernation prerequisites. For more information, see Hibernate your instance in the Amazon EC2 User Guide.' + - name: LicenseSpecification + in: query + required: false + description: The license configurations. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/LicenseConfigurationRequest' + - xml: + name: item + - name: MetadataOptions + in: query + required: false + description: 'The metadata options for the instance. For more information, see Instance metadata and user data.' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceMetadataTagsState' + - description: '

Set to enabled to allow access to instance tags from the instance metadata. Set to disabled to turn off access to instance tags from the instance metadata. For more information, see Work with instance tags using the instance metadata.

Default: disabled

' + description: The metadata options for the instance. + - name: EnclaveOptions + in: query + required: false + description: '

Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. For more information, see What is Amazon Web Services Nitro Enclaves? in the Amazon Web Services Nitro Enclaves User Guide.

You can''t enable Amazon Web Services Nitro Enclaves and hibernation on the same instance.

' + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'To enable the instance for Amazon Web Services Nitro Enclaves, set this parameter to true.' + description: 'Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. For more information, see What is Amazon Web Services Nitro Enclaves? in the Amazon Web Services Nitro Enclaves User Guide.' + - name: PrivateDnsNameOptions + in: query + required: false + description: The options for the instance hostname. The default values are inherited from the subnet. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + description: Describes the options for instance hostnames. + - name: MaintenanceOptions + in: query + required: false + description: The maintenance and recovery options for the instance. + schema: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceAutoRecoveryState' + - description: 'Disables the automatic recovery behavior of your instance or sets it to default. For more information, see Simplified automatic recovery.' + description: The maintenance options for the instance. + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RunInstances + operationId: POST_RunInstances + description: '

Launches the specified number of instances using an AMI for which you have permissions.

You can specify a number of options, or leave the default options. The following rules apply:

You can create a launch template, which is a resource that contains the parameters to launch an instance. When you launch an instance using RunInstances, you can specify the launch template instead of specifying the launch parameters.

To ensure faster instance launches, break up large requests into smaller batches. For example, create five separate launch requests for 100 instances each instead of one launch request for 500 instances.

An instance is ready for you to use when it''s in the running state. You can check the state of your instance using DescribeInstances. You can tag instances and EBS volumes during launch, after launch, or both. For more information, see CreateTags and Tagging your Amazon EC2 resources.

Linux instances have access to the public key of the key pair at boot. You can use this key to provide secure access to the instance. Amazon EC2 public images use this feature to provide secure access without passwords. For more information, see Key pairs.

For troubleshooting, see What to do if an instance immediately terminates, and Troubleshooting connecting to your instance.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/Reservation' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RunInstancesRequest' + parameters: [] + /?Action=RunScheduledInstances&Version=2016-11-15: + get: + x-aws-operation-name: RunScheduledInstances + operationId: GET_RunScheduledInstances + description: '

Launches the specified Scheduled Instances.

Before you can launch a Scheduled Instance, you must purchase it and obtain an identifier using PurchaseScheduledInstances.

You must launch a Scheduled Instance during its scheduled time period. You can''t stop or reboot a Scheduled Instance, but you can terminate it as needed. If you terminate a Scheduled Instance before the current scheduled time period ends, you can launch it again after a few minutes. For more information, see Scheduled Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RunScheduledInstancesResult' + parameters: + - name: ClientToken + in: query + required: false + description: 'Unique, case-sensitive identifier that ensures the idempotency of the request. For more information, see Ensuring Idempotency.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: InstanceCount + in: query + required: false + description: '

The number of instances.

Default: 1

' + schema: + type: integer + - name: LaunchSpecification + in: query + required: true + description: 'The launch specification. You must match the instance type, Availability Zone, network, and platform of the schedule that you purchased.' + schema: + type: object + required: + - ImageId + properties: + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/ScheduledInstancesMonitoring' + - description: Enable or disable monitoring for the instances. + NetworkInterface: + allOf: + - $ref: '#/components/schemas/RamdiskId' + - description: The ID of the RAM disk. + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The base64-encoded MIME user data. + description: '

Describes the launch specification for a Scheduled Instance.

If you are launching the Scheduled Instance in EC2-VPC, you must specify the ID of the subnet. You can specify the subnet using either SubnetId or NetworkInterface.

' + - name: ScheduledInstanceId + in: query + required: true + description: The Scheduled Instance ID. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: RunScheduledInstances + operationId: POST_RunScheduledInstances + description: '

Launches the specified Scheduled Instances.

Before you can launch a Scheduled Instance, you must purchase it and obtain an identifier using PurchaseScheduledInstances.

You must launch a Scheduled Instance during its scheduled time period. You can''t stop or reboot a Scheduled Instance, but you can terminate it as needed. If you terminate a Scheduled Instance before the current scheduled time period ends, you can launch it again after a few minutes. For more information, see Scheduled Instances in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RunScheduledInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/RunScheduledInstancesRequest' + parameters: [] + /?Action=SearchLocalGatewayRoutes&Version=2016-11-15: + get: + x-aws-operation-name: SearchLocalGatewayRoutes + operationId: GET_SearchLocalGatewayRoutes + description: Searches for routes in the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchLocalGatewayRoutesResult' + parameters: + - name: LocalGatewayRouteTableId + in: query + required: true + description: The ID of the local gateway route table. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: SearchLocalGatewayRoutes + operationId: POST_SearchLocalGatewayRoutes + description: Searches for routes in the specified local gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchLocalGatewayRoutesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchLocalGatewayRoutesRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=SearchTransitGatewayMulticastGroups&Version=2016-11-15: + get: + x-aws-operation-name: SearchTransitGatewayMulticastGroups + operationId: GET_SearchTransitGatewayMulticastGroups + description: Searches one or more transit gateway multicast groups and returns the group membership information. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchTransitGatewayMulticastGroupsResult' + parameters: + - name: TransitGatewayMulticastDomainId + in: query + required: false + description: The ID of the transit gateway multicast domain. + schema: + type: string + - name: Filter + in: query + required: false + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: NextToken + in: query + required: false + description: The token for the next page of results. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: SearchTransitGatewayMulticastGroups + operationId: POST_SearchTransitGatewayMulticastGroups + description: Searches one or more transit gateway multicast groups and returns the group membership information. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchTransitGatewayMulticastGroupsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchTransitGatewayMulticastGroupsRequest' + parameters: + - name: MaxResults + in: query + schema: + type: string + description: Pagination limit + required: false + - name: NextToken + in: query + schema: + type: string + description: Pagination token + required: false + /?Action=SearchTransitGatewayRoutes&Version=2016-11-15: + get: + x-aws-operation-name: SearchTransitGatewayRoutes + operationId: GET_SearchTransitGatewayRoutes + description: Searches for routes in the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchTransitGatewayRoutesResult' + parameters: + - name: TransitGatewayRouteTableId + in: query + required: true + description: The ID of the transit gateway route table. + schema: + type: string + - name: Filter + in: query + required: true + description: '

One or more filters. The possible values are:

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: MaxResults + in: query + required: false + description: The maximum number of routes to return. + schema: + type: integer + minimum: 5 + maximum: 1000 + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: SearchTransitGatewayRoutes + operationId: POST_SearchTransitGatewayRoutes + description: Searches for routes in the specified transit gateway route table. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchTransitGatewayRoutesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/SearchTransitGatewayRoutesRequest' + parameters: [] + /?Action=SendDiagnosticInterrupt&Version=2016-11-15: + get: + x-aws-operation-name: SendDiagnosticInterrupt + operationId: GET_SendDiagnosticInterrupt + description: '

Sends a diagnostic interrupt to the specified Amazon EC2 instance to trigger a kernel panic (on Linux instances), or a blue screen/stop error (on Windows instances). For instances based on Intel and AMD processors, the interrupt is received as a non-maskable interrupt (NMI).

In general, the operating system crashes and reboots when a kernel panic or stop error is triggered. The operating system can also be configured to perform diagnostic tasks, such as generating a memory dump file, loading a secondary kernel, or obtaining a call trace.

Before sending a diagnostic interrupt to your instance, ensure that its operating system is configured to perform the required diagnostic tasks.

For more information about configuring your operating system to generate a crash dump when a kernel panic or stop error occurs, see Send a diagnostic interrupt (for advanced users) (Linux instances) or Send a diagnostic interrupt (for advanced users) (Windows instances).

' + responses: + '200': + description: Success + parameters: + - name: InstanceId + in: query + required: true + description: The ID of the instance. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: SendDiagnosticInterrupt + operationId: POST_SendDiagnosticInterrupt + description: '

Sends a diagnostic interrupt to the specified Amazon EC2 instance to trigger a kernel panic (on Linux instances), or a blue screen/stop error (on Windows instances). For instances based on Intel and AMD processors, the interrupt is received as a non-maskable interrupt (NMI).

In general, the operating system crashes and reboots when a kernel panic or stop error is triggered. The operating system can also be configured to perform diagnostic tasks, such as generating a memory dump file, loading a secondary kernel, or obtaining a call trace.

Before sending a diagnostic interrupt to your instance, ensure that its operating system is configured to perform the required diagnostic tasks.

For more information about configuring your operating system to generate a crash dump when a kernel panic or stop error occurs, see Send a diagnostic interrupt (for advanced users) (Linux instances) or Send a diagnostic interrupt (for advanced users) (Windows instances).

' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/SendDiagnosticInterruptRequest' + parameters: [] + /?Action=StartInstances&Version=2016-11-15: + get: + x-aws-operation-name: StartInstances + operationId: GET_StartInstances + description: '

Starts an Amazon EBS-backed instance that you''ve previously stopped.

Instances that use Amazon EBS volumes as their root devices can be quickly stopped and started. When an instance is stopped, the compute resources are released and you are not billed for instance usage. However, your root partition Amazon EBS volume remains and continues to persist your data, and you are charged for Amazon EBS volume usage. You can restart your instance at any time. Every time you start your instance, Amazon EC2 charges a one-minute minimum for instance usage, and thereafter charges per second for instance usage.

Before stopping an instance, make sure it is in a state from which it can be restarted. Stopping an instance does not preserve data stored in RAM.

Performing this operation on an instance that uses an instance store as its root device returns an error.

If you attempt to start a T3 instance with host tenancy and the unlimted CPU credit option, the request fails. The unlimited CPU credit option is not supported on Dedicated Hosts. Before you start the instance, either change its CPU credit option to standard, or change its tenancy to default or dedicated.

For more information, see Stop and start your instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartInstancesResult' + parameters: + - name: InstanceId + in: query + required: true + description: The IDs of the instances. + schema: + type: array + items: + $ref: '#/components/schemas/InstanceId' + - name: AdditionalInfo + in: query + required: false + description: Reserved. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: StartInstances + operationId: POST_StartInstances + description: '

Starts an Amazon EBS-backed instance that you''ve previously stopped.

Instances that use Amazon EBS volumes as their root devices can be quickly stopped and started. When an instance is stopped, the compute resources are released and you are not billed for instance usage. However, your root partition Amazon EBS volume remains and continues to persist your data, and you are charged for Amazon EBS volume usage. You can restart your instance at any time. Every time you start your instance, Amazon EC2 charges a one-minute minimum for instance usage, and thereafter charges per second for instance usage.

Before stopping an instance, make sure it is in a state from which it can be restarted. Stopping an instance does not preserve data stored in RAM.

Performing this operation on an instance that uses an instance store as its root device returns an error.

If you attempt to start a T3 instance with host tenancy and the unlimted CPU credit option, the request fails. The unlimited CPU credit option is not supported on Dedicated Hosts. Before you start the instance, either change its CPU credit option to standard, or change its tenancy to default or dedicated.

For more information, see Stop and start your instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/StartInstancesRequest' + parameters: [] + /?Action=StartNetworkInsightsAccessScopeAnalysis&Version=2016-11-15: + get: + x-aws-operation-name: StartNetworkInsightsAccessScopeAnalysis + operationId: GET_StartNetworkInsightsAccessScopeAnalysis + description: Starts analyzing the specified Network Access Scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartNetworkInsightsAccessScopeAnalysisResult' + parameters: + - name: NetworkInsightsAccessScopeId + in: query + required: true + description: The ID of the Network Access Scope. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to apply. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ClientToken + in: query + required: true + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: StartNetworkInsightsAccessScopeAnalysis + operationId: POST_StartNetworkInsightsAccessScopeAnalysis + description: Starts analyzing the specified Network Access Scope. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartNetworkInsightsAccessScopeAnalysisResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/StartNetworkInsightsAccessScopeAnalysisRequest' + parameters: [] + /?Action=StartNetworkInsightsAnalysis&Version=2016-11-15: + get: + x-aws-operation-name: StartNetworkInsightsAnalysis + operationId: GET_StartNetworkInsightsAnalysis + description: 'Starts analyzing the specified path. If the path is reachable, the operation returns the shortest feasible path.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartNetworkInsightsAnalysisResult' + parameters: + - name: NetworkInsightsPathId + in: query + required: true + description: The ID of the path. + schema: + type: string + - name: FilterInArn + in: query + required: false + description: The Amazon Resource Names (ARN) of the resources that the path must traverse. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - xml: + name: item + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: TagSpecification + in: query + required: false + description: The tags to apply. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + - name: ClientToken + in: query + required: true + description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: StartNetworkInsightsAnalysis + operationId: POST_StartNetworkInsightsAnalysis + description: 'Starts analyzing the specified path. If the path is reachable, the operation returns the shortest feasible path.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartNetworkInsightsAnalysisResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/StartNetworkInsightsAnalysisRequest' + parameters: [] + /?Action=StartVpcEndpointServicePrivateDnsVerification&Version=2016-11-15: + get: + x-aws-operation-name: StartVpcEndpointServicePrivateDnsVerification + operationId: GET_StartVpcEndpointServicePrivateDnsVerification + description: '

Initiates the verification process to prove that the service provider owns the private DNS name domain for the endpoint service.

The service provider must successfully perform the verification before the consumer can use the name to access the service.

Before the service provider runs this command, they must add a record to the DNS server.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartVpcEndpointServicePrivateDnsVerificationResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: ServiceId + in: query + required: true + description: The ID of the endpoint service. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: StartVpcEndpointServicePrivateDnsVerification + operationId: POST_StartVpcEndpointServicePrivateDnsVerification + description: '

Initiates the verification process to prove that the service provider owns the private DNS name domain for the endpoint service.

The service provider must successfully perform the verification before the consumer can use the name to access the service.

Before the service provider runs this command, they must add a record to the DNS server.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StartVpcEndpointServicePrivateDnsVerificationResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/StartVpcEndpointServicePrivateDnsVerificationRequest' + parameters: [] + /?Action=StopInstances&Version=2016-11-15: + get: + x-aws-operation-name: StopInstances + operationId: GET_StopInstances + description: '

Stops an Amazon EBS-backed instance. For more information, see Stop and start your instance in the Amazon EC2 User Guide.

You can use the Stop action to hibernate an instance if the instance is enabled for hibernation and it meets the hibernation prerequisites. For more information, see Hibernate your instance in the Amazon EC2 User Guide.

We don''t charge usage for a stopped instance, or data transfer fees; however, your root partition Amazon EBS volume remains and continues to persist your data, and you are charged for Amazon EBS volume usage. Every time you start your instance, Amazon EC2 charges a one-minute minimum for instance usage, and thereafter charges per second for instance usage.

You can''t stop or hibernate instance store-backed instances. You can''t use the Stop action to hibernate Spot Instances, but you can specify that Amazon EC2 should hibernate Spot Instances when they are interrupted. For more information, see Hibernating interrupted Spot Instances in the Amazon EC2 User Guide.

When you stop or hibernate an instance, we shut it down. You can restart your instance at any time. Before stopping or hibernating an instance, make sure it is in a state from which it can be restarted. Stopping an instance does not preserve data stored in RAM, but hibernating an instance does preserve data stored in RAM. If an instance cannot hibernate successfully, a normal shutdown occurs.

Stopping and hibernating an instance is different to rebooting or terminating it. For example, when you stop or hibernate an instance, the root device and any other devices attached to the instance persist. When you terminate an instance, the root device and any other devices attached during the instance launch are automatically deleted. For more information about the differences between rebooting, stopping, hibernating, and terminating instances, see Instance lifecycle in the Amazon EC2 User Guide.

When you stop an instance, we attempt to shut it down forcibly after a short while. If your instance appears stuck in the stopping state after a period of time, there may be an issue with the underlying host computer. For more information, see Troubleshoot stopping your instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StopInstancesResult' + parameters: + - name: InstanceId + in: query + required: true + description: The IDs of the instances. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: Hibernate + in: query + required: false + description: '

Hibernates the instance if the instance was enabled for hibernation at launch. If the instance cannot hibernate successfully, a normal shutdown occurs. For more information, see Hibernate your instance in the Amazon EC2 User Guide.

Default: false

' + schema: + type: boolean + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: Force + in: query + required: false + description: '

Forces the instances to stop. The instances do not have an opportunity to flush file system caches or file system metadata. If you use this option, you must perform file system check and repair procedures. This option is not recommended for Windows instances.

Default: false

' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: StopInstances + operationId: POST_StopInstances + description: '

Stops an Amazon EBS-backed instance. For more information, see Stop and start your instance in the Amazon EC2 User Guide.

You can use the Stop action to hibernate an instance if the instance is enabled for hibernation and it meets the hibernation prerequisites. For more information, see Hibernate your instance in the Amazon EC2 User Guide.

We don''t charge usage for a stopped instance, or data transfer fees; however, your root partition Amazon EBS volume remains and continues to persist your data, and you are charged for Amazon EBS volume usage. Every time you start your instance, Amazon EC2 charges a one-minute minimum for instance usage, and thereafter charges per second for instance usage.

You can''t stop or hibernate instance store-backed instances. You can''t use the Stop action to hibernate Spot Instances, but you can specify that Amazon EC2 should hibernate Spot Instances when they are interrupted. For more information, see Hibernating interrupted Spot Instances in the Amazon EC2 User Guide.

When you stop or hibernate an instance, we shut it down. You can restart your instance at any time. Before stopping or hibernating an instance, make sure it is in a state from which it can be restarted. Stopping an instance does not preserve data stored in RAM, but hibernating an instance does preserve data stored in RAM. If an instance cannot hibernate successfully, a normal shutdown occurs.

Stopping and hibernating an instance is different to rebooting or terminating it. For example, when you stop or hibernate an instance, the root device and any other devices attached to the instance persist. When you terminate an instance, the root device and any other devices attached during the instance launch are automatically deleted. For more information about the differences between rebooting, stopping, hibernating, and terminating instances, see Instance lifecycle in the Amazon EC2 User Guide.

When you stop an instance, we attempt to shut it down forcibly after a short while. If your instance appears stuck in the stopping state after a period of time, there may be an issue with the underlying host computer. For more information, see Troubleshoot stopping your instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/StopInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/StopInstancesRequest' + parameters: [] + /?Action=TerminateClientVpnConnections&Version=2016-11-15: + get: + x-aws-operation-name: TerminateClientVpnConnections + operationId: GET_TerminateClientVpnConnections + description: 'Terminates active Client VPN endpoint connections. This action can be used to terminate a specific client connection, or up to five connections established by a specific user.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/TerminateClientVpnConnectionsResult' + parameters: + - name: ClientVpnEndpointId + in: query + required: true + description: The ID of the Client VPN endpoint to which the client is connected. + schema: + type: string + - name: ConnectionId + in: query + required: false + description: The ID of the client connection to be terminated. + schema: + type: string + - name: Username + in: query + required: false + description: The name of the user who initiated the connection. Use this option to terminate all active connections for the specified user. This option can only be used if the user has established up to five connections. + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: TerminateClientVpnConnections + operationId: POST_TerminateClientVpnConnections + description: 'Terminates active Client VPN endpoint connections. This action can be used to terminate a specific client connection, or up to five connections established by a specific user.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/TerminateClientVpnConnectionsResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/TerminateClientVpnConnectionsRequest' + parameters: [] + /?Action=TerminateInstances&Version=2016-11-15: + get: + x-aws-operation-name: TerminateInstances + operationId: GET_TerminateInstances + description: '

Shuts down the specified instances. This operation is idempotent; if you terminate an instance more than once, each call succeeds.

If you specify multiple instances and the request fails (for example, because of a single incorrect instance ID), none of the instances are terminated.

If you terminate multiple instances across multiple Availability Zones, and one or more of the specified instances are enabled for termination protection, the request fails with the following results:

For example, say you have the following instances:

If you attempt to terminate all of these instances in the same request, the request reports failure with the following results:

Terminated instances remain visible after termination (for approximately one hour).

By default, Amazon EC2 deletes all EBS volumes that were attached when the instance launched. Volumes attached after instance launch continue running.

You can stop, start, and terminate EBS-backed instances. You can only terminate instance store-backed instances. What happens to an instance differs if you stop it or terminate it. For example, when you stop an instance, the root device and any other devices attached to the instance persist. When you terminate an instance, any attached EBS volumes with the DeleteOnTermination block device mapping parameter set to true are automatically deleted. For more information about the differences between stopping and terminating instances, see Instance lifecycle in the Amazon EC2 User Guide.

For more information about troubleshooting, see Troubleshooting terminating your instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/TerminateInstancesResult' + parameters: + - name: InstanceId + in: query + required: true + description: '

The IDs of the instances.

Constraints: Up to 1000 instance IDs. We recommend breaking up this request into smaller batches.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: TerminateInstances + operationId: POST_TerminateInstances + description: '

Shuts down the specified instances. This operation is idempotent; if you terminate an instance more than once, each call succeeds.

If you specify multiple instances and the request fails (for example, because of a single incorrect instance ID), none of the instances are terminated.

If you terminate multiple instances across multiple Availability Zones, and one or more of the specified instances are enabled for termination protection, the request fails with the following results:

For example, say you have the following instances:

If you attempt to terminate all of these instances in the same request, the request reports failure with the following results:

Terminated instances remain visible after termination (for approximately one hour).

By default, Amazon EC2 deletes all EBS volumes that were attached when the instance launched. Volumes attached after instance launch continue running.

You can stop, start, and terminate EBS-backed instances. You can only terminate instance store-backed instances. What happens to an instance differs if you stop it or terminate it. For example, when you stop an instance, the root device and any other devices attached to the instance persist. When you terminate an instance, any attached EBS volumes with the DeleteOnTermination block device mapping parameter set to true are automatically deleted. For more information about the differences between stopping and terminating instances, see Instance lifecycle in the Amazon EC2 User Guide.

For more information about troubleshooting, see Troubleshooting terminating your instance in the Amazon EC2 User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/TerminateInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/TerminateInstancesRequest' + parameters: [] + /?Action=UnassignIpv6Addresses&Version=2016-11-15: + get: + x-aws-operation-name: UnassignIpv6Addresses + operationId: GET_UnassignIpv6Addresses + description: Unassigns one or more IPv6 addresses IPv4 Prefix Delegation prefixes from a network interface. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UnassignIpv6AddressesResult' + parameters: + - name: Ipv6Addresses + in: query + required: false + description: The IPv6 addresses to unassign from the network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: Ipv6Prefix + in: query + required: false + description: One or more IPv6 prefixes to unassign from the network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: UnassignIpv6Addresses + operationId: POST_UnassignIpv6Addresses + description: Unassigns one or more IPv6 addresses IPv4 Prefix Delegation prefixes from a network interface. + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UnassignIpv6AddressesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/UnassignIpv6AddressesRequest' + parameters: [] + /?Action=UnassignPrivateIpAddresses&Version=2016-11-15: + get: + x-aws-operation-name: UnassignPrivateIpAddresses + operationId: GET_UnassignPrivateIpAddresses + description: 'Unassigns one or more secondary private IP addresses, or IPv4 Prefix Delegation prefixes from a network interface.' + responses: + '200': + description: Success + parameters: + - name: NetworkInterfaceId + in: query + required: true + description: The ID of the network interface. + schema: + type: string + - name: PrivateIpAddress + in: query + required: false + description: The secondary private IP addresses to unassign from the network interface. You can specify this option multiple times to unassign more than one IP address. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: PrivateIpAddress + - name: Ipv4Prefix + in: query + required: false + description: The IPv4 prefixes to unassign from the network interface. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: UnassignPrivateIpAddresses + operationId: POST_UnassignPrivateIpAddresses + description: 'Unassigns one or more secondary private IP addresses, or IPv4 Prefix Delegation prefixes from a network interface.' + responses: + '200': + description: Success + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/UnassignPrivateIpAddressesRequest' + parameters: [] + /?Action=UnmonitorInstances&Version=2016-11-15: + get: + x-aws-operation-name: UnmonitorInstances + operationId: GET_UnmonitorInstances + description: 'Disables detailed monitoring for a running instance. For more information, see Monitoring your instances and volumes in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UnmonitorInstancesResult' + parameters: + - name: InstanceId + in: query + required: true + description: The IDs of the instances. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: UnmonitorInstances + operationId: POST_UnmonitorInstances + description: 'Disables detailed monitoring for a running instance. For more information, see Monitoring your instances and volumes in the Amazon EC2 User Guide.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UnmonitorInstancesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/UnmonitorInstancesRequest' + parameters: [] + /?Action=UpdateSecurityGroupRuleDescriptionsEgress&Version=2016-11-15: + get: + x-aws-operation-name: UpdateSecurityGroupRuleDescriptionsEgress + operationId: GET_UpdateSecurityGroupRuleDescriptionsEgress + description: '[VPC only] Updates the description of an egress (outbound) security group rule. You can replace an existing description, or add a description to a rule that did not have one previously. You can remove a description for a security group rule by omitting the description parameter in the request.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UpdateSecurityGroupRuleDescriptionsEgressResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupId + in: query + required: false + description: 'The ID of the security group. You must specify either the security group ID or the security group name in the request. For security groups in a nondefault VPC, you must specify the security group ID.' + schema: + type: string + - name: GroupName + in: query + required: false + description: '[Default VPC] The name of the security group. You must specify either the security group ID or the security group name in the request.' + schema: + type: string + - name: IpPermissions + in: query + required: false + description: The IP permissions for the security group rule. You must specify either the IP permissions or the description. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + - name: SecurityGroupRuleDescription + in: query + required: false + description: The description for the egress security group rules. You must specify either the description or the IP permissions. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleDescription' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: UpdateSecurityGroupRuleDescriptionsEgress + operationId: POST_UpdateSecurityGroupRuleDescriptionsEgress + description: '[VPC only] Updates the description of an egress (outbound) security group rule. You can replace an existing description, or add a description to a rule that did not have one previously. You can remove a description for a security group rule by omitting the description parameter in the request.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UpdateSecurityGroupRuleDescriptionsEgressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/UpdateSecurityGroupRuleDescriptionsEgressRequest' + parameters: [] + /?Action=UpdateSecurityGroupRuleDescriptionsIngress&Version=2016-11-15: + get: + x-aws-operation-name: UpdateSecurityGroupRuleDescriptionsIngress + operationId: GET_UpdateSecurityGroupRuleDescriptionsIngress + description: 'Updates the description of an ingress (inbound) security group rule. You can replace an existing description, or add a description to a rule that did not have one previously. You can remove a description for a security group rule by omitting the description parameter in the request.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UpdateSecurityGroupRuleDescriptionsIngressResult' + parameters: + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: GroupId + in: query + required: false + description: 'The ID of the security group. You must specify either the security group ID or the security group name in the request. For security groups in a nondefault VPC, you must specify the security group ID.' + schema: + type: string + - name: GroupName + in: query + required: false + description: '[EC2-Classic, default VPC] The name of the security group. You must specify either the security group ID or the security group name in the request.' + schema: + type: string + - name: IpPermissions + in: query + required: false + description: The IP permissions for the security group rule. You must specify either IP permissions or a description. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + - name: SecurityGroupRuleDescription + in: query + required: false + description: '[VPC only] The description for the ingress security group rules. You must specify either a description or IP permissions.' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleDescription' + - xml: + name: item + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: UpdateSecurityGroupRuleDescriptionsIngress + operationId: POST_UpdateSecurityGroupRuleDescriptionsIngress + description: 'Updates the description of an ingress (inbound) security group rule. You can replace an existing description, or add a description to a rule that did not have one previously. You can remove a description for a security group rule by omitting the description parameter in the request.' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UpdateSecurityGroupRuleDescriptionsIngressResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/UpdateSecurityGroupRuleDescriptionsIngressRequest' + parameters: [] + /?Action=WithdrawByoipCidr&Version=2016-11-15: + get: + x-aws-operation-name: WithdrawByoipCidr + operationId: GET_WithdrawByoipCidr + description: '

Stops advertising an address range that is provisioned as an address pool.

You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time.

It can take a few minutes before traffic to the specified addresses stops routing to Amazon Web Services because of BGP propagation delays.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/WithdrawByoipCidrResult' + parameters: + - name: Cidr + in: query + required: true + description: 'The address range, in CIDR notation.' + schema: + type: string + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: WithdrawByoipCidr + operationId: POST_WithdrawByoipCidr + description: '

Stops advertising an address range that is provisioned as an address pool.

You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time.

It can take a few minutes before traffic to the specified addresses stops routing to Amazon Web Services because of BGP propagation delays.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/WithdrawByoipCidrResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/WithdrawByoipCidrRequest' + parameters: [] components: x-stackQL-resources: + account_attributes: + name: account_attributes + methods: + account_attributes_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeAccountAttributes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/accountAttributeSet/item + openAPIDocKey: '200' + id: aws.ec2.account_attributes + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/account_attributes/methods/account_attributes_Describe' + update: [] + title: account_attributes + address: + name: address + methods: + address_Allocate: + operation: + $ref: '#/paths/~1?Action=AllocateAddress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + address_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateAddress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + address_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateAddress&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + address_Release: + operation: + $ref: '#/paths/~1?Action=ReleaseAddress&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.address + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: address + address_attribute: + name: address_attribute + methods: + address_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyAddressAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + address_attribute_Reset: + operation: + $ref: '#/paths/~1?Action=ResetAddressAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.address_attribute + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: address_attribute + address_to_classic: + name: address_to_classic + methods: + address_to_classic_Restore: + operation: + $ref: '#/paths/~1?Action=RestoreAddressToClassic&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.address_to_classic + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: address_to_classic + address_to_vpc: + name: address_to_vpc + methods: + address_to_vpc_Move: + operation: + $ref: '#/paths/~1?Action=MoveAddressToVpc&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.address_to_vpc + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: address_to_vpc + addresses: + name: addresses + methods: + addresses_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeAddresses&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/addressesSet/item + openAPIDocKey: '200' + id: aws.ec2.addresses + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/addresses/methods/addresses_Describe' + update: [] + title: addresses + addresses_attribute: + name: addresses_attribute + methods: + addresses_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeAddressesAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/addressSet/item + openAPIDocKey: '200' + id: aws.ec2.addresses_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/addresses_attribute/methods/addresses_attribute_Describe' + update: [] + title: addresses_attribute + aggregate_id_format: + name: aggregate_id_format + methods: + aggregate_id_format_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeAggregateIdFormat&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/statusSet/item + openAPIDocKey: '200' + id: aws.ec2.aggregate_id_format + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/aggregate_id_format/methods/aggregate_id_format_Describe' + update: [] + title: aggregate_id_format + associated_enclave_certificate_iam_roles: + name: associated_enclave_certificate_iam_roles + methods: + associated_enclave_certificate_iam_roles_Get: + operation: + $ref: '#/paths/~1?Action=GetAssociatedEnclaveCertificateIamRoles&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/associatedRoleSet/item + openAPIDocKey: '200' + id: aws.ec2.associated_enclave_certificate_iam_roles + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/associated_enclave_certificate_iam_roles/methods/associated_enclave_certificate_iam_roles_Get' + update: [] + title: associated_enclave_certificate_iam_roles + associated_ipv6_pool_cidrs: + name: associated_ipv6_pool_cidrs + methods: + associated_ipv6_pool_cidrs_Get: + operation: + $ref: '#/paths/~1?Action=GetAssociatedIpv6PoolCidrs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipv6CidrAssociationSet/item + openAPIDocKey: '200' + id: aws.ec2.associated_ipv6_pool_cidrs + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/associated_ipv6_pool_cidrs/methods/associated_ipv6_pool_cidrs_Get' + update: [] + title: associated_ipv6_pool_cidrs + availability_zone_group: + name: availability_zone_group + methods: + availability_zone_group_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyAvailabilityZoneGroup&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.availability_zone_group + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: availability_zone_group + availability_zones: + name: availability_zones + methods: + availability_zones_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeAvailabilityZones&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/availabilityZoneInfo/item + openAPIDocKey: '200' + id: aws.ec2.availability_zones + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/availability_zones/methods/availability_zones_Describe' + update: [] + title: availability_zones + bundle_tasks: + name: bundle_tasks + methods: + bundle_task_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelBundleTask&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + bundle_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeBundleTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/bundleInstanceTasksSet/item + openAPIDocKey: '200' + id: aws.ec2.bundle_tasks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/bundle_tasks/methods/bundle_tasks_Describe' + update: [] + title: bundle_tasks + byoip_cidr_to_ipam: + name: byoip_cidr_to_ipam + methods: + byoip_cidr_to_ipam_Move: + operation: + $ref: '#/paths/~1?Action=MoveByoipCidrToIpam&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.byoip_cidr_to_ipam + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: byoip_cidr_to_ipam + byoip_cidrs: + name: byoip_cidrs + methods: + byoip_cidr_Advertise: + operation: + $ref: '#/paths/~1?Action=AdvertiseByoipCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + byoip_cidr_Deprovision: + operation: + $ref: '#/paths/~1?Action=DeprovisionByoipCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + byoip_cidr_Provision: + operation: + $ref: '#/paths/~1?Action=ProvisionByoipCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + byoip_cidr_Withdraw: + operation: + $ref: '#/paths/~1?Action=WithdrawByoipCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + byoip_cidrs_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeByoipCidrs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/byoipCidrSet/item + openAPIDocKey: '200' + id: aws.ec2.byoip_cidrs + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/byoip_cidrs/methods/byoip_cidrs_Describe' + update: [] + title: byoip_cidrs + capacity_reservation_fleets: + name: capacity_reservation_fleets + methods: + capacity_reservation_fleet_Create: + operation: + $ref: '#/paths/~1?Action=CreateCapacityReservationFleet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + capacity_reservation_fleet_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyCapacityReservationFleet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + capacity_reservation_fleets_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelCapacityReservationFleets&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + capacity_reservation_fleets_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeCapacityReservationFleets&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/capacityReservationFleetSet/item + openAPIDocKey: '200' + id: aws.ec2.capacity_reservation_fleets + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/capacity_reservation_fleets/methods/capacity_reservation_fleet_Create' + select: + - $ref: '#/components/x-stackQL-resources/capacity_reservation_fleets/methods/capacity_reservation_fleets_Describe' + update: [] + title: capacity_reservation_fleets + capacity_reservation_usage: + name: capacity_reservation_usage + methods: + capacity_reservation_usage_Get: + operation: + $ref: '#/paths/~1?Action=GetCapacityReservationUsage&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.capacity_reservation_usage + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/capacity_reservation_usage/methods/capacity_reservation_usage_Get' + update: [] + title: capacity_reservation_usage + capacity_reservations: + name: capacity_reservations + methods: + capacity_reservation_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelCapacityReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + capacity_reservation_Create: + operation: + $ref: '#/paths/~1?Action=CreateCapacityReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + capacity_reservation_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyCapacityReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + capacity_reservations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeCapacityReservations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/capacityReservationSet/item + openAPIDocKey: '200' + id: aws.ec2.capacity_reservations + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/capacity_reservations/methods/capacity_reservation_Create' + select: + - $ref: '#/components/x-stackQL-resources/capacity_reservations/methods/capacity_reservations_Describe' + update: [] + title: capacity_reservations + carrier_gateways: + name: carrier_gateways + methods: + carrier_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateCarrierGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + carrier_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteCarrierGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + carrier_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeCarrierGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/carrierGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.carrier_gateways + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/carrier_gateways/methods/carrier_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/carrier_gateways/methods/carrier_gateway_Create' + select: + - $ref: '#/components/x-stackQL-resources/carrier_gateways/methods/carrier_gateways_Describe' + update: [] + title: carrier_gateways + classic_link_instances: + name: classic_link_instances + methods: + classic_link_instances_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeClassicLinkInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instancesSet/item + openAPIDocKey: '200' + id: aws.ec2.classic_link_instances + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/classic_link_instances/methods/classic_link_instances_Describe' + update: [] + title: classic_link_instances + classic_link_vpc: + name: classic_link_vpc + methods: + classic_link_vpc_Attach: + operation: + $ref: '#/paths/~1?Action=AttachClassicLinkVpc&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + classic_link_vpc_Detach: + operation: + $ref: '#/paths/~1?Action=DetachClassicLinkVpc&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.classic_link_vpc + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: classic_link_vpc + client_vpn_authorization_rules: + name: client_vpn_authorization_rules + methods: + client_vpn_authorization_rules_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeClientVpnAuthorizationRules&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/authorizationRule/item + openAPIDocKey: '200' + id: aws.ec2.client_vpn_authorization_rules + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/client_vpn_authorization_rules/methods/client_vpn_authorization_rules_Describe' + update: [] + title: client_vpn_authorization_rules + client_vpn_client_certificate_revocation_list: + name: client_vpn_client_certificate_revocation_list + methods: + client_vpn_client_certificate_revocation_list_Export: + operation: + $ref: '#/paths/~1?Action=ExportClientVpnClientCertificateRevocationList&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_client_certificate_revocation_list_Import: + operation: + $ref: '#/paths/~1?Action=ImportClientVpnClientCertificateRevocationList&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.client_vpn_client_certificate_revocation_list + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: client_vpn_client_certificate_revocation_list + client_vpn_client_configuration: + name: client_vpn_client_configuration + methods: + client_vpn_client_configuration_Export: + operation: + $ref: '#/paths/~1?Action=ExportClientVpnClientConfiguration&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.client_vpn_client_configuration + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: client_vpn_client_configuration + client_vpn_connections: + name: client_vpn_connections + methods: + client_vpn_connections_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeClientVpnConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/connections/item + openAPIDocKey: '200' + client_vpn_connections_Terminate: + operation: + $ref: '#/paths/~1?Action=TerminateClientVpnConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.client_vpn_connections + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/client_vpn_connections/methods/client_vpn_connections_Describe' + update: [] + title: client_vpn_connections + client_vpn_endpoints: + name: client_vpn_endpoints + methods: + client_vpn_endpoint_Create: + operation: + $ref: '#/paths/~1?Action=CreateClientVpnEndpoint&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_endpoint_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteClientVpnEndpoint&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_endpoint_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyClientVpnEndpoint&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_endpoints_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeClientVpnEndpoints&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/clientVpnEndpoint/item + openAPIDocKey: '200' + id: aws.ec2.client_vpn_endpoints + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/client_vpn_endpoints/methods/client_vpn_endpoint_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/client_vpn_endpoints/methods/client_vpn_endpoint_Create' + select: + - $ref: '#/components/x-stackQL-resources/client_vpn_endpoints/methods/client_vpn_endpoints_Describe' + update: [] + title: client_vpn_endpoints + client_vpn_ingress: + name: client_vpn_ingress + methods: + client_vpn_ingress_Authorize: + operation: + $ref: '#/paths/~1?Action=AuthorizeClientVpnIngress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_ingress_Revoke: + operation: + $ref: '#/paths/~1?Action=RevokeClientVpnIngress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.client_vpn_ingress + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: client_vpn_ingress + client_vpn_routes: + name: client_vpn_routes + methods: + client_vpn_route_Create: + operation: + $ref: '#/paths/~1?Action=CreateClientVpnRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_route_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteClientVpnRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_routes_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeClientVpnRoutes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/routes/item + openAPIDocKey: '200' + id: aws.ec2.client_vpn_routes + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/client_vpn_routes/methods/client_vpn_route_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/client_vpn_routes/methods/client_vpn_route_Create' + select: + - $ref: '#/components/x-stackQL-resources/client_vpn_routes/methods/client_vpn_routes_Describe' + update: [] + title: client_vpn_routes + client_vpn_target_networks: + name: client_vpn_target_networks + methods: + client_vpn_target_network_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateClientVpnTargetNetwork&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_target_network_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateClientVpnTargetNetwork&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + client_vpn_target_networks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeClientVpnTargetNetworks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/clientVpnTargetNetworks/item + openAPIDocKey: '200' + id: aws.ec2.client_vpn_target_networks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/client_vpn_target_networks/methods/client_vpn_target_networks_Describe' + update: [] + title: client_vpn_target_networks + coip_pool_usage: + name: coip_pool_usage + methods: + coip_pool_usage_Get: + operation: + $ref: '#/paths/~1?Action=GetCoipPoolUsage&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/coipAddressUsageSet/item + openAPIDocKey: '200' + id: aws.ec2.coip_pool_usage + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/coip_pool_usage/methods/coip_pool_usage_Get' + update: [] + title: coip_pool_usage + coip_pools: + name: coip_pools + methods: + coip_pools_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeCoipPools&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/coipPoolSet/item + openAPIDocKey: '200' + id: aws.ec2.coip_pools + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/coip_pools/methods/coip_pools_Describe' + update: [] + title: coip_pools + console_output: + name: console_output + methods: + console_output_Get: + operation: + $ref: '#/paths/~1?Action=GetConsoleOutput&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.console_output + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/console_output/methods/console_output_Get' + update: [] + title: console_output + console_screenshot: + name: console_screenshot + methods: + console_screenshot_Get: + operation: + $ref: '#/paths/~1?Action=GetConsoleScreenshot&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.console_screenshot + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/console_screenshot/methods/console_screenshot_Get' + update: [] + title: console_screenshot + conversion_tasks: + name: conversion_tasks + methods: + conversion_task_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelConversionTask&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + conversion_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeConversionTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/conversionTasks/item + openAPIDocKey: '200' + id: aws.ec2.conversion_tasks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/conversion_tasks/methods/conversion_tasks_Describe' + update: [] + title: conversion_tasks + customer_gateways: + name: customer_gateways + methods: + customer_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateCustomerGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + customer_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteCustomerGateway&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + customer_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeCustomerGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/customerGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.customer_gateways + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/customer_gateways/methods/customer_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/customer_gateways/methods/customer_gateway_Create' + select: + - $ref: '#/components/x-stackQL-resources/customer_gateways/methods/customer_gateways_Describe' + update: [] + title: customer_gateways + default_credit_specification: + name: default_credit_specification + methods: + default_credit_specification_Get: + operation: + $ref: '#/paths/~1?Action=GetDefaultCreditSpecification&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceFamilyCreditSpecification + openAPIDocKey: '200' + default_credit_specification_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyDefaultCreditSpecification&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.default_credit_specification + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/default_credit_specification/methods/default_credit_specification_Get' + update: [] + title: default_credit_specification + default_subnet: + name: default_subnet + methods: + default_subnet_Create: + operation: + $ref: '#/paths/~1?Action=CreateDefaultSubnet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.default_subnet + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/default_subnet/methods/default_subnet_Create' + select: [] + update: [] + title: default_subnet + default_vpc: + name: default_vpc + methods: + default_vpc_Create: + operation: + $ref: '#/paths/~1?Action=CreateDefaultVpc&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.default_vpc + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/default_vpc/methods/default_vpc_Create' + select: [] + update: [] + title: default_vpc + dhcp_options: + name: dhcp_options + methods: + dhcp_options_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateDhcpOptions&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + dhcp_options_Create: + operation: + $ref: '#/paths/~1?Action=CreateDhcpOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + dhcp_options_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteDhcpOptions&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + dhcp_options_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeDhcpOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/dhcpOptionsSet/item + openAPIDocKey: '200' + id: aws.ec2.dhcp_options + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/dhcp_options/methods/dhcp_options_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/dhcp_options/methods/dhcp_options_Create' + select: + - $ref: '#/components/x-stackQL-resources/dhcp_options/methods/dhcp_options_Describe' + update: [] + title: dhcp_options + diagnostic_interrupt: + name: diagnostic_interrupt + methods: + diagnostic_interrupt_Send: + operation: + $ref: '#/paths/~1?Action=SendDiagnosticInterrupt&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.diagnostic_interrupt + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: diagnostic_interrupt + ebs_default_kms_key_id: + name: ebs_default_kms_key_id + methods: + ebs_default_kms_key_id_Get: + operation: + $ref: '#/paths/~1?Action=GetEbsDefaultKmsKeyId&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + ebs_default_kms_key_id_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyEbsDefaultKmsKeyId&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ebs_default_kms_key_id_Reset: + operation: + $ref: '#/paths/~1?Action=ResetEbsDefaultKmsKeyId&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.ebs_default_kms_key_id + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ebs_default_kms_key_id/methods/ebs_default_kms_key_id_Get' + update: [] + title: ebs_default_kms_key_id + ebs_encryption_by_default: + name: ebs_encryption_by_default + methods: + ebs_encryption_by_default_Disable: + operation: + $ref: '#/paths/~1?Action=DisableEbsEncryptionByDefault&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ebs_encryption_by_default_Enable: + operation: + $ref: '#/paths/~1?Action=EnableEbsEncryptionByDefault&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ebs_encryption_by_default_Get: + operation: + $ref: '#/paths/~1?Action=GetEbsEncryptionByDefault&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.ebs_encryption_by_default + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ebs_encryption_by_default/methods/ebs_encryption_by_default_Get' + update: [] + title: ebs_encryption_by_default + egress_only_internet_gateways: + name: egress_only_internet_gateways + methods: + egress_only_internet_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateEgressOnlyInternetGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + egress_only_internet_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteEgressOnlyInternetGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + egress_only_internet_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeEgressOnlyInternetGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/egressOnlyInternetGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.egress_only_internet_gateways + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/egress_only_internet_gateways/methods/egress_only_internet_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/egress_only_internet_gateways/methods/egress_only_internet_gateway_Create' + select: + - $ref: '#/components/x-stackQL-resources/egress_only_internet_gateways/methods/egress_only_internet_gateways_Describe' + update: [] + title: egress_only_internet_gateways + elastic_gpus: + name: elastic_gpus + methods: + elastic_gpus_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeElasticGpus&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/elasticGpuSet/item + openAPIDocKey: '200' + id: aws.ec2.elastic_gpus + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/elastic_gpus/methods/elastic_gpus_Describe' + update: [] + title: elastic_gpus + enclave_certificate_iam_role: + name: enclave_certificate_iam_role + methods: + enclave_certificate_iam_role_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateEnclaveCertificateIamRole&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + enclave_certificate_iam_role_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateEnclaveCertificateIamRole&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.enclave_certificate_iam_role + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: enclave_certificate_iam_role + export_image_tasks: + name: export_image_tasks + methods: + export_image_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeExportImageTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/exportImageTaskSet/item + openAPIDocKey: '200' + id: aws.ec2.export_image_tasks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/export_image_tasks/methods/export_image_tasks_Describe' + update: [] + title: export_image_tasks + export_tasks: + name: export_tasks + methods: + export_task_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelExportTask&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + export_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeExportTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/exportTaskSet/item + openAPIDocKey: '200' + id: aws.ec2.export_tasks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/export_tasks/methods/export_tasks_Describe' + update: [] + title: export_tasks + fast_launch: + name: fast_launch + methods: + fast_launch_Disable: + operation: + $ref: '#/paths/~1?Action=DisableFastLaunch&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fast_launch_Enable: + operation: + $ref: '#/paths/~1?Action=EnableFastLaunch&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.fast_launch + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: fast_launch + fast_launch_images: + name: fast_launch_images + methods: + fast_launch_images_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFastLaunchImages&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/fastLaunchImageSet/item + openAPIDocKey: '200' + id: aws.ec2.fast_launch_images + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/fast_launch_images/methods/fast_launch_images_Describe' + update: [] + title: fast_launch_images + fast_snapshot_restores: + name: fast_snapshot_restores + methods: + fast_snapshot_restores_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFastSnapshotRestores&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/fastSnapshotRestoreSet/item + openAPIDocKey: '200' + fast_snapshot_restores_Disable: + operation: + $ref: '#/paths/~1?Action=DisableFastSnapshotRestores&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fast_snapshot_restores_Enable: + operation: + $ref: '#/paths/~1?Action=EnableFastSnapshotRestores&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.fast_snapshot_restores + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/fast_snapshot_restores/methods/fast_snapshot_restores_Describe' + update: [] + title: fast_snapshot_restores + fleet_history: + name: fleet_history + methods: + fleet_history_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFleetHistory&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.fleet_history + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/fleet_history/methods/fleet_history_Describe' + update: [] + title: fleet_history + fleet_instances: + name: fleet_instances + methods: + fleet_instances_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFleetInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/activeInstanceSet/item + openAPIDocKey: '200' + id: aws.ec2.fleet_instances + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/fleet_instances/methods/fleet_instances_Describe' + update: [] + title: fleet_instances + fleets: + name: fleets + methods: + fleet_Create: + operation: + $ref: '#/paths/~1?Action=CreateFleet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fleet_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyFleet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fleets_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteFleets&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fleets_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFleets&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/fleetSet/item + openAPIDocKey: '200' + id: aws.ec2.fleets + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/fleets/methods/fleets_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/fleets/methods/fleet_Create' + select: + - $ref: '#/components/x-stackQL-resources/fleets/methods/fleets_Describe' + update: [] + title: fleets + flow_logs: + name: flow_logs + methods: + flow_logs_Create: + operation: + $ref: '#/paths/~1?Action=CreateFlowLogs&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + flow_logs_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteFlowLogs&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + flow_logs_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFlowLogs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/flowLogSet/item + openAPIDocKey: '200' + id: aws.ec2.flow_logs + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/flow_logs/methods/flow_logs_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/flow_logs/methods/flow_logs_Create' + select: + - $ref: '#/components/x-stackQL-resources/flow_logs/methods/flow_logs_Describe' + update: [] + title: flow_logs + flow_logs_integration_template: + name: flow_logs_integration_template + methods: + flow_logs_integration_template_Get: + operation: + $ref: '#/paths/~1?Action=GetFlowLogsIntegrationTemplate&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.flow_logs_integration_template + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/flow_logs_integration_template/methods/flow_logs_integration_template_Get' + update: [] + title: flow_logs_integration_template + fpga_image_attribute: + name: fpga_image_attribute + methods: + fpga_image_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFpgaImageAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + fpga_image_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyFpgaImageAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fpga_image_attribute_Reset: + operation: + $ref: '#/paths/~1?Action=ResetFpgaImageAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.fpga_image_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/fpga_image_attribute/methods/fpga_image_attribute_Describe' + update: [] + title: fpga_image_attribute + fpga_images: + name: fpga_images + methods: + fpga_image_Copy: + operation: + $ref: '#/paths/~1?Action=CopyFpgaImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fpga_image_Create: + operation: + $ref: '#/paths/~1?Action=CreateFpgaImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fpga_image_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteFpgaImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + fpga_images_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeFpgaImages&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/fpgaImageSet/item + openAPIDocKey: '200' + id: aws.ec2.fpga_images + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/fpga_images/methods/fpga_image_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/fpga_images/methods/fpga_image_Create' + select: + - $ref: '#/components/x-stackQL-resources/fpga_images/methods/fpga_images_Describe' + update: [] + title: fpga_images + groups_for_capacity_reservation: + name: groups_for_capacity_reservation + methods: + groups_for_capacity_reservation_Get: + operation: + $ref: '#/paths/~1?Action=GetGroupsForCapacityReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/capacityReservationGroupSet/item + openAPIDocKey: '200' + id: aws.ec2.groups_for_capacity_reservation + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/groups_for_capacity_reservation/methods/groups_for_capacity_reservation_Get' + update: [] + title: groups_for_capacity_reservation + host_reservation_offerings: + name: host_reservation_offerings + methods: + host_reservation_offerings_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeHostReservationOfferings&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/offeringSet/item + openAPIDocKey: '200' + id: aws.ec2.host_reservation_offerings + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/host_reservation_offerings/methods/host_reservation_offerings_Describe' + update: [] + title: host_reservation_offerings + host_reservation_purchase_preview: + name: host_reservation_purchase_preview + methods: + host_reservation_purchase_preview_Get: + operation: + $ref: '#/paths/~1?Action=GetHostReservationPurchasePreview&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.host_reservation_purchase_preview + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/host_reservation_purchase_preview/methods/host_reservation_purchase_preview_Get' + update: [] + title: host_reservation_purchase_preview + host_reservations: + name: host_reservations + methods: + host_reservation_Purchase: + operation: + $ref: '#/paths/~1?Action=PurchaseHostReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + host_reservations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeHostReservations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/hostReservationSet/item + openAPIDocKey: '200' + id: aws.ec2.host_reservations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/host_reservations/methods/host_reservations_Describe' + update: [] + title: host_reservations + hosts: + name: hosts + methods: + hosts_Allocate: + operation: + $ref: '#/paths/~1?Action=AllocateHosts&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + hosts_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeHosts&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/hostSet/item + openAPIDocKey: '200' + hosts_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyHosts&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + hosts_Release: + operation: + $ref: '#/paths/~1?Action=ReleaseHosts&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.hosts + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/hosts/methods/hosts_Describe' + update: [] + title: hosts + iam_instance_profile: + name: iam_instance_profile + methods: + iam_instance_profile_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateIamInstanceProfile&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + iam_instance_profile_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateIamInstanceProfile&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.iam_instance_profile + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: iam_instance_profile + iam_instance_profile_associations: + name: iam_instance_profile_associations + methods: + iam_instance_profile_association_Replace: + operation: + $ref: '#/paths/~1?Action=ReplaceIamInstanceProfileAssociation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + iam_instance_profile_associations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIamInstanceProfileAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/iamInstanceProfileAssociationSet/item + openAPIDocKey: '200' + id: aws.ec2.iam_instance_profile_associations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/iam_instance_profile_associations/methods/iam_instance_profile_associations_Describe' + update: [] + title: iam_instance_profile_associations + id_format: + name: id_format + methods: + id_format_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIdFormat&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/statusSet/item + openAPIDocKey: '200' + id_format_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyIdFormat&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.id_format + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/id_format/methods/id_format_Describe' + update: [] + title: id_format + identity_id_format: + name: identity_id_format + methods: + identity_id_format_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIdentityIdFormat&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/statusSet/item + openAPIDocKey: '200' + identity_id_format_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyIdentityIdFormat&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.identity_id_format + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/identity_id_format/methods/identity_id_format_Describe' + update: [] + title: identity_id_format + image_attribute: + name: image_attribute + methods: + image_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeImageAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + image_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyImageAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + image_attribute_Reset: + operation: + $ref: '#/paths/~1?Action=ResetImageAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.image_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/image_attribute/methods/image_attribute_Describe' + update: [] + title: image_attribute + image_deprecation: + name: image_deprecation + methods: + image_deprecation_Disable: + operation: + $ref: '#/paths/~1?Action=DisableImageDeprecation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + image_deprecation_Enable: + operation: + $ref: '#/paths/~1?Action=EnableImageDeprecation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.image_deprecation + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: image_deprecation + image_from_recycle_bin: + name: image_from_recycle_bin + methods: + image_from_recycle_bin_Restore: + operation: + $ref: '#/paths/~1?Action=RestoreImageFromRecycleBin&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.image_from_recycle_bin + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: image_from_recycle_bin + images: + name: images + methods: + image_Copy: + operation: + $ref: '#/paths/~1?Action=CopyImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + image_Create: + operation: + $ref: '#/paths/~1?Action=CreateImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + image_Deregister: + operation: + $ref: '#/paths/~1?Action=DeregisterImage&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + image_Export: + operation: + $ref: '#/paths/~1?Action=ExportImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + image_Import: + operation: + $ref: '#/paths/~1?Action=ImportImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + image_Register: + operation: + $ref: '#/paths/~1?Action=RegisterImage&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + images_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeImages&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.images + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/images/methods/image_Create' + select: + - $ref: '#/components/x-stackQL-resources/images/methods/images_Describe' + update: [] + title: images + images_in_recycle_bin: + name: images_in_recycle_bin + methods: + images_in_recycle_bin_List: + operation: + $ref: '#/paths/~1?Action=ListImagesInRecycleBin&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/imageSet/item + openAPIDocKey: '200' + id: aws.ec2.images_in_recycle_bin + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/images_in_recycle_bin/methods/images_in_recycle_bin_List' + update: [] + title: images_in_recycle_bin + import_image_tasks: + name: import_image_tasks + methods: + import_image_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeImportImageTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/importImageTaskSet/item + openAPIDocKey: '200' + id: aws.ec2.import_image_tasks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/import_image_tasks/methods/import_image_tasks_Describe' + update: [] + title: import_image_tasks + import_snapshot_tasks: + name: import_snapshot_tasks + methods: + import_snapshot_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeImportSnapshotTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/importSnapshotTaskSet/item + openAPIDocKey: '200' + id: aws.ec2.import_snapshot_tasks + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/import_snapshot_tasks/methods/import_snapshot_tasks_Describe' + update: [] + title: import_snapshot_tasks + import_task: + name: import_task + methods: + import_task_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelImportTask&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.import_task + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: import_task + instance_attribute: + name: instance_attribute + methods: + instance_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + instance_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + instance_attribute_Reset: + operation: + $ref: '#/paths/~1?Action=ResetInstanceAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.instance_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_attribute/methods/instance_attribute_Describe' + update: [] + title: instance_attribute + instance_capacity_reservation_attributes: + name: instance_capacity_reservation_attributes + methods: + instance_capacity_reservation_attributes_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceCapacityReservationAttributes&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_capacity_reservation_attributes + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: instance_capacity_reservation_attributes + instance_credit_specifications: + name: instance_credit_specifications + methods: + instance_credit_specification_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceCreditSpecification&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_credit_specifications_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceCreditSpecifications&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceCreditSpecificationSet/item + openAPIDocKey: '200' + id: aws.ec2.instance_credit_specifications + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_credit_specifications/methods/instance_credit_specifications_Describe' + update: [] + title: instance_credit_specifications + instance_event_notification_attributes: + name: instance_event_notification_attributes + methods: + instance_event_notification_attributes_Deregister: + operation: + $ref: '#/paths/~1?Action=DeregisterInstanceEventNotificationAttributes&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_event_notification_attributes_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceEventNotificationAttributes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + instance_event_notification_attributes_Register: + operation: + $ref: '#/paths/~1?Action=RegisterInstanceEventNotificationAttributes&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_event_notification_attributes + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_event_notification_attributes/methods/instance_event_notification_attributes_Describe' + update: [] + title: instance_event_notification_attributes + instance_event_start_time: + name: instance_event_start_time + methods: + instance_event_start_time_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceEventStartTime&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_event_start_time + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: instance_event_start_time + instance_event_windows: + name: instance_event_windows + methods: + instance_event_window_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateInstanceEventWindow&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_event_window_Create: + operation: + $ref: '#/paths/~1?Action=CreateInstanceEventWindow&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_event_window_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteInstanceEventWindow&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_event_window_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateInstanceEventWindow&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_event_window_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceEventWindow&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_event_windows_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceEventWindows&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceEventWindowSet/item + openAPIDocKey: '200' + id: aws.ec2.instance_event_windows + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/instance_event_windows/methods/instance_event_window_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/instance_event_windows/methods/instance_event_window_Create' + select: + - $ref: '#/components/x-stackQL-resources/instance_event_windows/methods/instance_event_windows_Describe' + update: [] + title: instance_event_windows + instance_export_task: + name: instance_export_task + methods: + instance_export_task_Create: + operation: + $ref: '#/paths/~1?Action=CreateInstanceExportTask&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_export_task + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/instance_export_task/methods/instance_export_task_Create' + select: [] + update: [] + title: instance_export_task + instance_maintenance_options: + name: instance_maintenance_options + methods: + instance_maintenance_options_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceMaintenanceOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_maintenance_options + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: instance_maintenance_options + instance_metadata_options: + name: instance_metadata_options + methods: + instance_metadata_options_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstanceMetadataOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_metadata_options + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: instance_metadata_options + instance_placement: + name: instance_placement + methods: + instance_placement_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyInstancePlacement&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instance_placement + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: instance_placement + instance_status: + name: instance_status + methods: + instance_status_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceStatus&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceStatusSet/item + openAPIDocKey: '200' + instance_status_Report: + operation: + $ref: '#/paths/~1?Action=ReportInstanceStatus&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.instance_status + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_status/methods/instance_status_Describe' + update: [] + title: instance_status + instance_type_offerings: + name: instance_type_offerings + methods: + instance_type_offerings_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceTypeOfferings&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceTypeOfferingSet/item + openAPIDocKey: '200' + id: aws.ec2.instance_type_offerings + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_type_offerings/methods/instance_type_offerings_Describe' + update: [] + title: instance_type_offerings + instance_types: + name: instance_types + methods: + instance_types_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstanceTypes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceTypeSet/item + openAPIDocKey: '200' + id: aws.ec2.instance_types + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_types/methods/instance_types_Describe' + update: [] + title: instance_types + instance_types_from_instance_requirements: + name: instance_types_from_instance_requirements + methods: + instance_types_from_instance_requirements_Get: + operation: + $ref: '#/paths/~1?Action=GetInstanceTypesFromInstanceRequirements&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/instanceTypeSet/item + openAPIDocKey: '200' + id: aws.ec2.instance_types_from_instance_requirements + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_types_from_instance_requirements/methods/instance_types_from_instance_requirements_Get' + update: [] + title: instance_types_from_instance_requirements + instance_uefi_data: + name: instance_uefi_data + methods: + instance_uefi_data_Get: + operation: + $ref: '#/paths/~1?Action=GetInstanceUefiData&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.instance_uefi_data + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instance_uefi_data/methods/instance_uefi_data_Get' + update: [] + title: instance_uefi_data + instances: + name: instances + methods: + instance_Bundle: + operation: + $ref: '#/paths/~1?Action=BundleInstance&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instance_Import: + operation: + $ref: '#/paths/~1?Action=ImportInstance&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instances_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/reservationSet/item/instancesSet/item + openAPIDocKey: '200' + instances_Monitor: + operation: + $ref: '#/paths/~1?Action=MonitorInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instances_Reboot: + operation: + $ref: '#/paths/~1?Action=RebootInstances&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + instances_Run: + operation: + $ref: '#/paths/~1?Action=RunInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instances_Start: + operation: + $ref: '#/paths/~1?Action=StartInstances&Version=2016-11-15/get' + # request: + # mediaType: text/xml + # xmlRootAnnotation: 'xmlns="http://ec2.amazonaws.com/doc/2016-11-15/"' + response: + mediaType: text/xml + openAPIDocKey: '200' + instances_Stop: + operation: + $ref: '#/paths/~1?Action=StopInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instances_Terminate: + operation: + $ref: '#/paths/~1?Action=TerminateInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + instances_Unmonitor: + operation: + $ref: '#/paths/~1?Action=UnmonitorInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instances + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/instances/methods/instances_Describe' + update: + - $ref: '#/components/x-stackQL-resources/instances/methods/instances_Start' + instances_start: + name: instances_start + methods: + instances_Start: + operation: + $ref: '#/paths/~1?Action=StartInstances&Version=2016-11-15/get' + # request: + # mediaType: text/xml + # xmlRootAnnotation: 'xmlns="http://ec2.amazonaws.com/doc/2016-11-15/"' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.instances_start + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/instances/methods/instances_Start' + select: [] + update: [] + title: instances_Start + internet_gateways: + name: internet_gateways + methods: + internet_gateway_Attach: + operation: + $ref: '#/paths/~1?Action=AttachInternetGateway&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + internet_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateInternetGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + internet_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteInternetGateway&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + internet_gateway_Detach: + operation: + $ref: '#/paths/~1?Action=DetachInternetGateway&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + internet_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeInternetGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/internetGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.internet_gateways + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/internet_gateways/methods/internet_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/internet_gateways/methods/internet_gateway_Create' + select: + - $ref: '#/components/x-stackQL-resources/internet_gateways/methods/internet_gateways_Describe' + update: [] + title: internet_gateways + ipam_address_history: + name: ipam_address_history + methods: + ipam_address_history_Get: + operation: + $ref: '#/paths/~1?Action=GetIpamAddressHistory&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/historyRecordSet/item + openAPIDocKey: '200' + id: aws.ec2.ipam_address_history + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ipam_address_history/methods/ipam_address_history_Get' + update: [] + title: ipam_address_history + ipam_organization_admin_account: + name: ipam_organization_admin_account + methods: + ipam_organization_admin_account_Disable: + operation: + $ref: '#/paths/~1?Action=DisableIpamOrganizationAdminAccount&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_organization_admin_account_Enable: + operation: + $ref: '#/paths/~1?Action=EnableIpamOrganizationAdminAccount&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.ipam_organization_admin_account + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: ipam_organization_admin_account + ipam_pool_allocations: + name: ipam_pool_allocations + methods: + ipam_pool_allocation_Release: + operation: + $ref: '#/paths/~1?Action=ReleaseIpamPoolAllocation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pool_allocations_Get: + operation: + $ref: '#/paths/~1?Action=GetIpamPoolAllocations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipamPoolAllocationSet/item + openAPIDocKey: '200' + id: aws.ec2.ipam_pool_allocations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ipam_pool_allocations/methods/ipam_pool_allocations_Get' + update: [] + title: ipam_pool_allocations + ipam_pool_cidrs: + name: ipam_pool_cidrs + methods: + ipam_pool_cidr_Allocate: + operation: + $ref: '#/paths/~1?Action=AllocateIpamPoolCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pool_cidr_Deprovision: + operation: + $ref: '#/paths/~1?Action=DeprovisionIpamPoolCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pool_cidr_Provision: + operation: + $ref: '#/paths/~1?Action=ProvisionIpamPoolCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pool_cidrs_Get: + operation: + $ref: '#/paths/~1?Action=GetIpamPoolCidrs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipamPoolCidrSet/item + openAPIDocKey: '200' + id: aws.ec2.ipam_pool_cidrs + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ipam_pool_cidrs/methods/ipam_pool_cidrs_Get' + update: [] + title: ipam_pool_cidrs + ipam_pools: + name: ipam_pools + methods: + ipam_pool_Create: + operation: + $ref: '#/paths/~1?Action=CreateIpamPool&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pool_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteIpamPool&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pool_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyIpamPool&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_pools_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIpamPools&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipamPoolSet/item + openAPIDocKey: '200' + id: aws.ec2.ipam_pools + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/ipam_pools/methods/ipam_pool_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/ipam_pools/methods/ipam_pool_Create' + select: + - $ref: '#/components/x-stackQL-resources/ipam_pools/methods/ipam_pools_Describe' + update: [] + title: ipam_pools + ipam_resource_cidrs: + name: ipam_resource_cidrs + methods: + ipam_resource_cidr_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyIpamResourceCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_resource_cidrs_Get: + operation: + $ref: '#/paths/~1?Action=GetIpamResourceCidrs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipamResourceCidrSet/item + openAPIDocKey: '200' + id: aws.ec2.ipam_resource_cidrs + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ipam_resource_cidrs/methods/ipam_resource_cidrs_Get' + update: [] + title: ipam_resource_cidrs + ipam_scopes: + name: ipam_scopes + methods: + ipam_scope_Create: + operation: + $ref: '#/paths/~1?Action=CreateIpamScope&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_scope_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteIpamScope&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_scope_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyIpamScope&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_scopes_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIpamScopes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipamScopeSet/item + openAPIDocKey: '200' + id: aws.ec2.ipam_scopes + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/ipam_scopes/methods/ipam_scope_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/ipam_scopes/methods/ipam_scope_Create' + select: + - $ref: '#/components/x-stackQL-resources/ipam_scopes/methods/ipam_scopes_Describe' + update: [] + title: ipam_scopes + ipams: + name: ipams + methods: + ipam_Create: + operation: + $ref: '#/paths/~1?Action=CreateIpam&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteIpam&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipam_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyIpam&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipams_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIpams&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipamSet/item + openAPIDocKey: '200' + id: aws.ec2.ipams + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/ipams/methods/ipam_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/ipams/methods/ipam_Create' + select: + - $ref: '#/components/x-stackQL-resources/ipams/methods/ipams_Describe' + update: [] + title: ipams + ipv6_addresses: + name: ipv6_addresses + methods: + ipv6_addresses_Assign: + operation: + $ref: '#/paths/~1?Action=AssignIpv6Addresses&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + ipv6_addresses_Unassign: + operation: + $ref: '#/paths/~1?Action=UnassignIpv6Addresses&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.ipv6_addresses + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: ipv6_addresses + ipv6_pools: + name: ipv6_pools + methods: + ipv6_pools_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeIpv6Pools&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/ipv6PoolSet/item + openAPIDocKey: '200' + id: aws.ec2.ipv6_pools + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/ipv6_pools/methods/ipv6_pools_Describe' + update: [] + title: ipv6_pools + key_pairs: + name: key_pairs + methods: + key_pair_Create: + operation: + $ref: '#/paths/~1?Action=CreateKeyPair&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + key_pair_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteKeyPair&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + key_pair_Import: + operation: + $ref: '#/paths/~1?Action=ImportKeyPair&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + key_pairs_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeKeyPairs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.key_pairs + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/key_pairs/methods/key_pair_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/key_pairs/methods/key_pair_Create' + select: + - $ref: '#/components/x-stackQL-resources/key_pairs/methods/key_pairs_Describe' + update: [] + title: key_pairs + launch_template_data: + name: launch_template_data + methods: + launch_template_data_Get: + operation: + $ref: '#/paths/~1?Action=GetLaunchTemplateData&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.launch_template_data + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/launch_template_data/methods/launch_template_data_Get' + update: [] + title: launch_template_data + launch_template_versions: + name: launch_template_versions + methods: + launch_template_version_Create: + operation: + $ref: '#/paths/~1?Action=CreateLaunchTemplateVersion&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + launch_template_versions_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteLaunchTemplateVersions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + launch_template_versions_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLaunchTemplateVersions&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/launchTemplateVersionSet/item + openAPIDocKey: '200' + id: aws.ec2.launch_template_versions + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/launch_template_versions/methods/launch_template_versions_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/launch_template_versions/methods/launch_template_version_Create' + select: + - $ref: '#/components/x-stackQL-resources/launch_template_versions/methods/launch_template_versions_Describe' + update: [] + title: launch_template_versions + launch_templates: + name: launch_templates + methods: + launch_template_Create: + operation: + $ref: '#/paths/~1?Action=CreateLaunchTemplate&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + launch_template_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteLaunchTemplate&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + launch_template_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyLaunchTemplate&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + launch_templates_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLaunchTemplates&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/launchTemplates/item + openAPIDocKey: '200' + id: aws.ec2.launch_templates + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/launch_templates/methods/launch_template_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/launch_templates/methods/launch_template_Create' + select: + - $ref: '#/components/x-stackQL-resources/launch_templates/methods/launch_templates_Describe' + update: [] + title: launch_templates + local_gateway_route_table_virtual_interface_group_associations: + name: local_gateway_route_table_virtual_interface_group_associations + methods: + local_gateway_route_table_virtual_interface_group_associations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/localGatewayRouteTableVirtualInterfaceGroupAssociationSet/item + openAPIDocKey: '200' + id: aws.ec2.local_gateway_route_table_virtual_interface_group_associations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/local_gateway_route_table_virtual_interface_group_associations/methods/local_gateway_route_table_virtual_interface_group_associations_Describe' + update: [] + title: local_gateway_route_table_virtual_interface_group_associations + local_gateway_route_table_vpc_associations: + name: local_gateway_route_table_vpc_associations + methods: + local_gateway_route_table_vpc_association_Create: + operation: + $ref: '#/paths/~1?Action=CreateLocalGatewayRouteTableVpcAssociation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + local_gateway_route_table_vpc_association_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteLocalGatewayRouteTableVpcAssociation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + local_gateway_route_table_vpc_associations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLocalGatewayRouteTableVpcAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/localGatewayRouteTableVpcAssociationSet/item + openAPIDocKey: '200' + id: aws.ec2.local_gateway_route_table_vpc_associations + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/local_gateway_route_table_vpc_associations/methods/local_gateway_route_table_vpc_association_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/local_gateway_route_table_vpc_associations/methods/local_gateway_route_table_vpc_association_Create' + select: + - $ref: '#/components/x-stackQL-resources/local_gateway_route_table_vpc_associations/methods/local_gateway_route_table_vpc_associations_Describe' + update: [] + title: local_gateway_route_table_vpc_associations + local_gateway_route_tables: + name: local_gateway_route_tables + methods: + local_gateway_route_tables_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLocalGatewayRouteTables&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/localGatewayRouteTableSet/item + openAPIDocKey: '200' + id: aws.ec2.local_gateway_route_tables + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/local_gateway_route_tables/methods/local_gateway_route_tables_Describe' + update: [] + title: local_gateway_route_tables + local_gateway_routes: + name: local_gateway_routes + methods: + local_gateway_route_Create: + operation: + $ref: '#/paths/~1?Action=CreateLocalGatewayRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + local_gateway_route_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteLocalGatewayRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + local_gateway_routes_Search: + operation: + $ref: '#/paths/~1?Action=SearchLocalGatewayRoutes&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.local_gateway_routes + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/local_gateway_routes/methods/local_gateway_route_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/local_gateway_routes/methods/local_gateway_route_Create' + select: [] + update: [] + title: local_gateway_routes + local_gateway_virtual_interface_groups: + name: local_gateway_virtual_interface_groups + methods: + local_gateway_virtual_interface_groups_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLocalGatewayVirtualInterfaceGroups&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/localGatewayVirtualInterfaceGroupSet/item + openAPIDocKey: '200' + id: aws.ec2.local_gateway_virtual_interface_groups + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/local_gateway_virtual_interface_groups/methods/local_gateway_virtual_interface_groups_Describe' + update: [] + title: local_gateway_virtual_interface_groups + local_gateway_virtual_interfaces: + name: local_gateway_virtual_interfaces + methods: + local_gateway_virtual_interfaces_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLocalGatewayVirtualInterfaces&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/localGatewayVirtualInterfaceSet/item + openAPIDocKey: '200' + id: aws.ec2.local_gateway_virtual_interfaces + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/local_gateway_virtual_interfaces/methods/local_gateway_virtual_interfaces_Describe' + update: [] + title: local_gateway_virtual_interfaces + local_gateways: + name: local_gateways + methods: + local_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeLocalGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/localGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.local_gateways + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/local_gateways/methods/local_gateways_Describe' + update: [] + title: local_gateways + managed_prefix_list_associations: + name: managed_prefix_list_associations + methods: + managed_prefix_list_associations_Get: + operation: + $ref: '#/paths/~1?Action=GetManagedPrefixListAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/prefixListAssociationSet/item + openAPIDocKey: '200' + id: aws.ec2.managed_prefix_list_associations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/managed_prefix_list_associations/methods/managed_prefix_list_associations_Get' + update: [] + title: managed_prefix_list_associations + managed_prefix_list_entries: + name: managed_prefix_list_entries + methods: + managed_prefix_list_entries_Get: + operation: + $ref: '#/paths/~1?Action=GetManagedPrefixListEntries&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/entrySet/item + openAPIDocKey: '200' + id: aws.ec2.managed_prefix_list_entries + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/managed_prefix_list_entries/methods/managed_prefix_list_entries_Get' + update: [] + title: managed_prefix_list_entries + managed_prefix_list_version: + name: managed_prefix_list_version + methods: + managed_prefix_list_version_Restore: + operation: + $ref: '#/paths/~1?Action=RestoreManagedPrefixListVersion&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.managed_prefix_list_version + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: managed_prefix_list_version + managed_prefix_lists: + name: managed_prefix_lists + methods: + managed_prefix_list_Create: + operation: + $ref: '#/paths/~1?Action=CreateManagedPrefixList&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + managed_prefix_list_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteManagedPrefixList&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + managed_prefix_list_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyManagedPrefixList&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + managed_prefix_lists_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeManagedPrefixLists&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/prefixListSet/item + openAPIDocKey: '200' + id: aws.ec2.managed_prefix_lists + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/managed_prefix_lists/methods/managed_prefix_list_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/managed_prefix_lists/methods/managed_prefix_list_Create' + select: + - $ref: '#/components/x-stackQL-resources/managed_prefix_lists/methods/managed_prefix_lists_Describe' + update: [] + title: managed_prefix_lists + moving_addresses: + name: moving_addresses + methods: + moving_addresses_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeMovingAddresses&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/movingAddressStatusSet/item + openAPIDocKey: '200' + id: aws.ec2.moving_addresses + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/moving_addresses/methods/moving_addresses_Describe' + update: [] + title: moving_addresses + nat_gateways: + name: nat_gateways + methods: + nat_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateNatGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + nat_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNatGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + nat_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNatGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/natGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.nat_gateways + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/nat_gateways/methods/nat_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/nat_gateways/methods/nat_gateway_Create' + select: + - $ref: '#/components/x-stackQL-resources/nat_gateways/methods/nat_gateways_Describe' + update: [] + title: nat_gateways + network_acl_association: + name: network_acl_association + methods: + network_acl_association_Replace: + operation: + $ref: '#/paths/~1?Action=ReplaceNetworkAclAssociation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.network_acl_association + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: network_acl_association + network_acl_entry: + name: network_acl_entry + methods: + network_acl_entry_Create: + operation: + $ref: '#/paths/~1?Action=CreateNetworkAclEntry&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + network_acl_entry_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkAclEntry&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + network_acl_entry_Replace: + operation: + $ref: '#/paths/~1?Action=ReplaceNetworkAclEntry&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.network_acl_entry + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_acl_entry/methods/network_acl_entry_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/network_acl_entry/methods/network_acl_entry_Create' + select: [] + update: [] + title: network_acl_entry + network_acls: + name: network_acls + methods: + network_acl_Create: + operation: + $ref: '#/paths/~1?Action=CreateNetworkAcl&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_acl_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkAcl&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + network_acls_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkAcls&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkAclSet/item + openAPIDocKey: '200' + id: aws.ec2.network_acls + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_acls/methods/network_acl_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/network_acls/methods/network_acl_Create' + select: + - $ref: '#/components/x-stackQL-resources/network_acls/methods/network_acls_Describe' + update: [] + title: network_acls + network_insights_access_scope_analyses: + name: network_insights_access_scope_analyses + methods: + network_insights_access_scope_analyses_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInsightsAccessScopeAnalyses&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkInsightsAccessScopeAnalysisSet/item + openAPIDocKey: '200' + id: aws.ec2.network_insights_access_scope_analyses + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scope_analyses/methods/network_insights_access_scope_analyses_Describe' + update: [] + title: network_insights_access_scope_analyses + network_insights_access_scope_analysis: + name: network_insights_access_scope_analysis + methods: + network_insights_access_scope_analysis_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkInsightsAccessScopeAnalysis&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_insights_access_scope_analysis_Start: + operation: + $ref: '#/paths/~1?Action=StartNetworkInsightsAccessScopeAnalysis&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.network_insights_access_scope_analysis + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scope_analysis/methods/network_insights_access_scope_analysis_Delete' + insert: [] + select: [] + update: [] + title: network_insights_access_scope_analysis + network_insights_access_scope_analysis_findings: + name: network_insights_access_scope_analysis_findings + methods: + network_insights_access_scope_analysis_findings_Get: + operation: + $ref: '#/paths/~1?Action=GetNetworkInsightsAccessScopeAnalysisFindings&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/analysisFindingSet/item + openAPIDocKey: '200' + id: aws.ec2.network_insights_access_scope_analysis_findings + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scope_analysis_findings/methods/network_insights_access_scope_analysis_findings_Get' + update: [] + title: network_insights_access_scope_analysis_findings + network_insights_access_scope_content: + name: network_insights_access_scope_content + methods: + network_insights_access_scope_content_Get: + operation: + $ref: '#/paths/~1?Action=GetNetworkInsightsAccessScopeContent&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.network_insights_access_scope_content + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scope_content/methods/network_insights_access_scope_content_Get' + update: [] + title: network_insights_access_scope_content + network_insights_access_scopes: + name: network_insights_access_scopes + methods: + network_insights_access_scope_Create: + operation: + $ref: '#/paths/~1?Action=CreateNetworkInsightsAccessScope&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_insights_access_scope_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkInsightsAccessScope&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_insights_access_scopes_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInsightsAccessScopes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkInsightsAccessScopeSet/item + openAPIDocKey: '200' + id: aws.ec2.network_insights_access_scopes + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scopes/methods/network_insights_access_scope_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scopes/methods/network_insights_access_scope_Create' + select: + - $ref: '#/components/x-stackQL-resources/network_insights_access_scopes/methods/network_insights_access_scopes_Describe' + update: [] + title: network_insights_access_scopes + network_insights_analyses: + name: network_insights_analyses + methods: + network_insights_analyses_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInsightsAnalyses&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkInsightsAnalysisSet/item + openAPIDocKey: '200' + id: aws.ec2.network_insights_analyses + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/network_insights_analyses/methods/network_insights_analyses_Describe' + update: [] + title: network_insights_analyses + network_insights_analysis: + name: network_insights_analysis + methods: + network_insights_analysis_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkInsightsAnalysis&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_insights_analysis_Start: + operation: + $ref: '#/paths/~1?Action=StartNetworkInsightsAnalysis&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.network_insights_analysis + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_insights_analysis/methods/network_insights_analysis_Delete' + insert: [] + select: [] + update: [] + title: network_insights_analysis + network_insights_paths: + name: network_insights_paths + methods: + network_insights_path_Create: + operation: + $ref: '#/paths/~1?Action=CreateNetworkInsightsPath&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_insights_path_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkInsightsPath&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_insights_paths_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInsightsPaths&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkInsightsPathSet/item + openAPIDocKey: '200' + id: aws.ec2.network_insights_paths + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_insights_paths/methods/network_insights_path_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/network_insights_paths/methods/network_insights_path_Create' + select: + - $ref: '#/components/x-stackQL-resources/network_insights_paths/methods/network_insights_paths_Describe' + update: [] + title: network_insights_paths + network_interface_attribute: + name: network_interface_attribute + methods: + network_interface_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInterfaceAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + network_interface_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyNetworkInterfaceAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + network_interface_attribute_Reset: + operation: + $ref: '#/paths/~1?Action=ResetNetworkInterfaceAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.network_interface_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/network_interface_attribute/methods/network_interface_attribute_Describe' + update: [] + title: network_interface_attribute + network_interface_permissions: + name: network_interface_permissions + methods: + network_interface_permission_Create: + operation: + $ref: '#/paths/~1?Action=CreateNetworkInterfacePermission&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_interface_permission_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkInterfacePermission&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_interface_permissions_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInterfacePermissions&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkInterfacePermissions/item + openAPIDocKey: '200' + id: aws.ec2.network_interface_permissions + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_interface_permissions/methods/network_interface_permission_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/network_interface_permissions/methods/network_interface_permission_Create' + select: + - $ref: '#/components/x-stackQL-resources/network_interface_permissions/methods/network_interface_permissions_Describe' + update: [] + title: network_interface_permissions + network_interfaces: + name: network_interfaces + methods: + network_interface_Attach: + operation: + $ref: '#/paths/~1?Action=AttachNetworkInterface&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_interface_Create: + operation: + $ref: '#/paths/~1?Action=CreateNetworkInterface&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + network_interface_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteNetworkInterface&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + network_interface_Detach: + operation: + $ref: '#/paths/~1?Action=DetachNetworkInterface&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + network_interfaces_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeNetworkInterfaces&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/networkInterfaceSet/item + openAPIDocKey: '200' + id: aws.ec2.network_interfaces + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/network_interfaces/methods/network_interface_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/network_interfaces/methods/network_interface_Create' + select: + - $ref: '#/components/x-stackQL-resources/network_interfaces/methods/network_interfaces_Describe' + update: [] + title: network_interfaces + password_data: + name: password_data + methods: + password_data_Get: + operation: + $ref: '#/paths/~1?Action=GetPasswordData&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.password_data + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/password_data/methods/password_data_Get' + update: [] + title: password_data + placement_groups: + name: placement_groups + methods: + placement_group_Create: + operation: + $ref: '#/paths/~1?Action=CreatePlacementGroup&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + placement_group_Delete: + operation: + $ref: '#/paths/~1?Action=DeletePlacementGroup&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + placement_groups_Describe: + operation: + $ref: '#/paths/~1?Action=DescribePlacementGroups&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/placementGroupSet/item + openAPIDocKey: '200' + id: aws.ec2.placement_groups + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/placement_groups/methods/placement_group_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/placement_groups/methods/placement_group_Create' + select: + - $ref: '#/components/x-stackQL-resources/placement_groups/methods/placement_groups_Describe' + update: [] + title: placement_groups + prefix_lists: + name: prefix_lists + methods: + prefix_lists_Describe: + operation: + $ref: '#/paths/~1?Action=DescribePrefixLists&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/prefixListSet/item + openAPIDocKey: '200' + id: aws.ec2.prefix_lists + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/prefix_lists/methods/prefix_lists_Describe' + update: [] + title: prefix_lists + principal_id_format: + name: principal_id_format + methods: + principal_id_format_Describe: + operation: + $ref: '#/paths/~1?Action=DescribePrincipalIdFormat&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/principalSet/item + openAPIDocKey: '200' + id: aws.ec2.principal_id_format + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/principal_id_format/methods/principal_id_format_Describe' + update: [] + title: principal_id_format + private_dns_name_options: + name: private_dns_name_options + methods: + private_dns_name_options_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyPrivateDnsNameOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.private_dns_name_options + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: private_dns_name_options + private_ip_addresses: + name: private_ip_addresses + methods: + private_ip_addresses_Assign: + operation: + $ref: '#/paths/~1?Action=AssignPrivateIpAddresses&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + private_ip_addresses_Unassign: + operation: + $ref: '#/paths/~1?Action=UnassignPrivateIpAddresses&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.private_ip_addresses + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: private_ip_addresses + product_instance: + name: product_instance + methods: + product_instance_Confirm: + operation: + $ref: '#/paths/~1?Action=ConfirmProductInstance&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.product_instance + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: product_instance + public_ipv4_pool_cidr: + name: public_ipv4_pool_cidr + methods: + public_ipv4_pool_cidr_Deprovision: + operation: + $ref: '#/paths/~1?Action=DeprovisionPublicIpv4PoolCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + public_ipv4_pool_cidr_Provision: + operation: + $ref: '#/paths/~1?Action=ProvisionPublicIpv4PoolCidr&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.public_ipv4_pool_cidr + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: public_ipv4_pool_cidr + public_ipv4_pools: + name: public_ipv4_pools + methods: + public_ipv4_pool_Create: + operation: + $ref: '#/paths/~1?Action=CreatePublicIpv4Pool&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + public_ipv4_pool_Delete: + operation: + $ref: '#/paths/~1?Action=DeletePublicIpv4Pool&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + public_ipv4_pools_Describe: + operation: + $ref: '#/paths/~1?Action=DescribePublicIpv4Pools&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/publicIpv4PoolSet/item + openAPIDocKey: '200' + id: aws.ec2.public_ipv4_pools + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/public_ipv4_pools/methods/public_ipv4_pool_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/public_ipv4_pools/methods/public_ipv4_pool_Create' + select: + - $ref: '#/components/x-stackQL-resources/public_ipv4_pools/methods/public_ipv4_pools_Describe' + update: [] + title: public_ipv4_pools + queued_reserved_instances: + name: queued_reserved_instances + methods: + queued_reserved_instances_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteQueuedReservedInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.queued_reserved_instances + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/queued_reserved_instances/methods/queued_reserved_instances_Delete' + insert: [] + select: [] + update: [] + title: queued_reserved_instances + raw_resource: + name: raw_resource + methods: {} + id: aws.ec2.raw_resource + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: raw_resource + regions: + name: regions + methods: + regions_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeRegions&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/regionInfo/item + openAPIDocKey: '200' + id: aws.ec2.regions + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/regions/methods/regions_Describe' + update: [] + title: regions + replace_root_volume_tasks: + name: replace_root_volume_tasks + methods: + replace_root_volume_task_Create: + operation: + $ref: '#/paths/~1?Action=CreateReplaceRootVolumeTask&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + replace_root_volume_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeReplaceRootVolumeTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/replaceRootVolumeTaskSet/item + openAPIDocKey: '200' + id: aws.ec2.replace_root_volume_tasks + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/replace_root_volume_tasks/methods/replace_root_volume_task_Create' + select: + - $ref: '#/components/x-stackQL-resources/replace_root_volume_tasks/methods/replace_root_volume_tasks_Describe' + update: [] + title: replace_root_volume_tasks + reserved_instances: + name: reserved_instances + methods: + reserved_instances_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeReservedInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/reservedInstancesSet/item + openAPIDocKey: '200' + reserved_instances_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyReservedInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.reserved_instances + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/reserved_instances/methods/reserved_instances_Describe' + update: [] + title: reserved_instances + reserved_instances_exchange_quote: + name: reserved_instances_exchange_quote + methods: + reserved_instances_exchange_quote_Accept: + operation: + $ref: '#/paths/~1?Action=AcceptReservedInstancesExchangeQuote&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + reserved_instances_exchange_quote_Get: + operation: + $ref: '#/paths/~1?Action=GetReservedInstancesExchangeQuote&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.reserved_instances_exchange_quote + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/reserved_instances_exchange_quote/methods/reserved_instances_exchange_quote_Get' + update: [] + title: reserved_instances_exchange_quote + reserved_instances_listings: + name: reserved_instances_listings + methods: + reserved_instances_listing_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelReservedInstancesListing&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + reserved_instances_listing_Create: + operation: + $ref: '#/paths/~1?Action=CreateReservedInstancesListing&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + reserved_instances_listings_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeReservedInstancesListings&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/reservedInstancesListingsSet/item + openAPIDocKey: '200' + id: aws.ec2.reserved_instances_listings + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/reserved_instances_listings/methods/reserved_instances_listing_Create' + select: + - $ref: '#/components/x-stackQL-resources/reserved_instances_listings/methods/reserved_instances_listings_Describe' + update: [] + title: reserved_instances_listings + reserved_instances_modifications: + name: reserved_instances_modifications + methods: + reserved_instances_modifications_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeReservedInstancesModifications&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/reservedInstancesModificationsSet/item + openAPIDocKey: '200' + id: aws.ec2.reserved_instances_modifications + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/reserved_instances_modifications/methods/reserved_instances_modifications_Describe' + update: [] + title: reserved_instances_modifications + reserved_instances_offerings: + name: reserved_instances_offerings + methods: + reserved_instances_offering_Purchase: + operation: + $ref: '#/paths/~1?Action=PurchaseReservedInstancesOffering&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + reserved_instances_offerings_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeReservedInstancesOfferings&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/reservedInstancesOfferingsSet/item + openAPIDocKey: '200' + id: aws.ec2.reserved_instances_offerings + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/reserved_instances_offerings/methods/reserved_instances_offerings_Describe' + update: [] + title: reserved_instances_offerings + restore_image_task: + name: restore_image_task + methods: + restore_image_task_Create: + operation: + $ref: '#/paths/~1?Action=CreateRestoreImageTask&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.restore_image_task + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/restore_image_task/methods/restore_image_task_Create' + select: [] + update: [] + title: restore_image_task + route: + name: route + methods: + route_Create: + operation: + $ref: '#/paths/~1?Action=CreateRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + route_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteRoute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + route_Replace: + operation: + $ref: '#/paths/~1?Action=ReplaceRoute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.route + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/route/methods/route_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/route/methods/route_Create' + select: [] + update: [] + title: route + route_table_association: + name: route_table_association + methods: + route_table_association_Replace: + operation: + $ref: '#/paths/~1?Action=ReplaceRouteTableAssociation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.route_table_association + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: route_table_association + route_tables: + name: route_tables + methods: + route_table_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateRouteTable&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + route_table_Create: + operation: + $ref: '#/paths/~1?Action=CreateRouteTable&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + route_table_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteRouteTable&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + route_table_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateRouteTable&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + route_tables_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeRouteTables&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/routeTableSet/item + openAPIDocKey: '200' + id: aws.ec2.route_tables + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/route_tables/methods/route_table_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/route_tables/methods/route_table_Create' + select: + - $ref: '#/components/x-stackQL-resources/route_tables/methods/route_tables_Describe' + update: [] + title: route_tables + scheduled_instance_availability: + name: scheduled_instance_availability + methods: + scheduled_instance_availability_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeScheduledInstanceAvailability&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/scheduledInstanceAvailabilitySet/item + openAPIDocKey: '200' + id: aws.ec2.scheduled_instance_availability + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/scheduled_instance_availability/methods/scheduled_instance_availability_Describe' + update: [] + title: scheduled_instance_availability + scheduled_instances: + name: scheduled_instances + methods: + scheduled_instances_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeScheduledInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/scheduledInstanceSet/item + openAPIDocKey: '200' + scheduled_instances_Purchase: + operation: + $ref: '#/paths/~1?Action=PurchaseScheduledInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + scheduled_instances_Run: + operation: + $ref: '#/paths/~1?Action=RunScheduledInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.scheduled_instances + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/scheduled_instances/methods/scheduled_instances_Describe' + update: [] + title: scheduled_instances + security_group_egress: + name: security_group_egress + methods: + security_group_egress_Authorize: + operation: + $ref: '#/paths/~1?Action=AuthorizeSecurityGroupEgress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + security_group_egress_Revoke: + operation: + $ref: '#/paths/~1?Action=RevokeSecurityGroupEgress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.security_group_egress + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: security_group_egress + security_group_ingress: + name: security_group_ingress + methods: + security_group_ingress_Authorize: + operation: + $ref: '#/paths/~1?Action=AuthorizeSecurityGroupIngress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + security_group_ingress_Revoke: + operation: + $ref: '#/paths/~1?Action=RevokeSecurityGroupIngress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.security_group_ingress + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: security_group_ingress + security_group_references: + name: security_group_references + methods: + security_group_references_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSecurityGroupReferences&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/securityGroupReferenceSet/item + openAPIDocKey: '200' + id: aws.ec2.security_group_references + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/security_group_references/methods/security_group_references_Describe' + update: [] + title: security_group_references + security_group_rule_descriptions_egress: + name: security_group_rule_descriptions_egress + methods: + security_group_rule_descriptions_egress_Update: + operation: + $ref: '#/paths/~1?Action=UpdateSecurityGroupRuleDescriptionsEgress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.security_group_rule_descriptions_egress + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: security_group_rule_descriptions_egress + security_group_rule_descriptions_ingress: + name: security_group_rule_descriptions_ingress + methods: + security_group_rule_descriptions_ingress_Update: + operation: + $ref: '#/paths/~1?Action=UpdateSecurityGroupRuleDescriptionsIngress&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.security_group_rule_descriptions_ingress + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: security_group_rule_descriptions_ingress + security_group_rules: + name: security_group_rules + methods: + security_group_rules_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSecurityGroupRules&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/securityGroupRuleSet/item + openAPIDocKey: '200' + security_group_rules_Modify: + operation: + $ref: '#/paths/~1?Action=ModifySecurityGroupRules&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.security_group_rules + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/security_group_rules/methods/security_group_rules_Describe' + update: [] + title: security_group_rules + security_groups: + name: security_groups + methods: + security_group_Create: + operation: + $ref: '#/paths/~1?Action=CreateSecurityGroup&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + security_group_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteSecurityGroup&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + security_groups_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSecurityGroups&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/securityGroupInfo/item + openAPIDocKey: '200' + id: aws.ec2.security_groups + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/security_groups/methods/security_group_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/security_groups/methods/security_group_Create' + select: + - $ref: '#/components/x-stackQL-resources/security_groups/methods/security_groups_Describe' + update: [] + title: security_groups + security_groups_to_client_vpn_target_network: + name: security_groups_to_client_vpn_target_network + methods: + security_groups_to_client_vpn_target_network_Apply: + operation: + $ref: '#/paths/~1?Action=ApplySecurityGroupsToClientVpnTargetNetwork&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.security_groups_to_client_vpn_target_network + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: security_groups_to_client_vpn_target_network + serial_console_access: + name: serial_console_access + methods: + serial_console_access_Disable: + operation: + $ref: '#/paths/~1?Action=DisableSerialConsoleAccess&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + serial_console_access_Enable: + operation: + $ref: '#/paths/~1?Action=EnableSerialConsoleAccess&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.serial_console_access + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: serial_console_access + serial_console_access_status: + name: serial_console_access_status + methods: + serial_console_access_status_Get: + operation: + $ref: '#/paths/~1?Action=GetSerialConsoleAccessStatus&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.serial_console_access_status + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/serial_console_access_status/methods/serial_console_access_status_Get' + update: [] + title: serial_console_access_status + snapshot_attribute: + name: snapshot_attribute + methods: + snapshot_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSnapshotAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + snapshot_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifySnapshotAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + snapshot_attribute_Reset: + operation: + $ref: '#/paths/~1?Action=ResetSnapshotAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.snapshot_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/snapshot_attribute/methods/snapshot_attribute_Describe' + update: [] + title: snapshot_attribute + snapshot_from_recycle_bin: + name: snapshot_from_recycle_bin + methods: + snapshot_from_recycle_bin_Restore: + operation: + $ref: '#/paths/~1?Action=RestoreSnapshotFromRecycleBin&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.snapshot_from_recycle_bin + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: snapshot_from_recycle_bin + snapshot_tier: + name: snapshot_tier + methods: + snapshot_tier_Modify: + operation: + $ref: '#/paths/~1?Action=ModifySnapshotTier&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + snapshot_tier_Restore: + operation: + $ref: '#/paths/~1?Action=RestoreSnapshotTier&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.snapshot_tier + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: snapshot_tier + snapshot_tier_status: + name: snapshot_tier_status + methods: + snapshot_tier_status_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSnapshotTierStatus&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/snapshotTierStatusSet/item + openAPIDocKey: '200' + id: aws.ec2.snapshot_tier_status + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/snapshot_tier_status/methods/snapshot_tier_status_Describe' + update: [] + title: snapshot_tier_status + snapshots: + name: snapshots + methods: + snapshot_Copy: + operation: + $ref: '#/paths/~1?Action=CopySnapshot&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + snapshot_Create: + operation: + $ref: '#/paths/~1?Action=CreateSnapshot&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + snapshot_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteSnapshot&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + snapshot_Import: + operation: + $ref: '#/paths/~1?Action=ImportSnapshot&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + snapshots_Create: + operation: + $ref: '#/paths/~1?Action=CreateSnapshots&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + snapshots_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSnapshots&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/snapshotSet/item + openAPIDocKey: '200' + id: aws.ec2.snapshots + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/snapshots/methods/snapshot_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/snapshots/methods/snapshot_Create' + - $ref: '#/components/x-stackQL-resources/snapshots/methods/snapshots_Create' + select: + - $ref: '#/components/x-stackQL-resources/snapshots/methods/snapshots_Describe' + update: [] + title: snapshots + snapshots_in_recycle_bin: + name: snapshots_in_recycle_bin + methods: + snapshots_in_recycle_bin_List: + operation: + $ref: '#/paths/~1?Action=ListSnapshotsInRecycleBin&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/snapshotSet/item + openAPIDocKey: '200' + id: aws.ec2.snapshots_in_recycle_bin + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/snapshots_in_recycle_bin/methods/snapshots_in_recycle_bin_List' + update: [] + title: snapshots_in_recycle_bin + spot_datafeed_subscription: + name: spot_datafeed_subscription + methods: + spot_datafeed_subscription_Create: + operation: + $ref: '#/paths/~1?Action=CreateSpotDatafeedSubscription&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + spot_datafeed_subscription_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteSpotDatafeedSubscription&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + spot_datafeed_subscription_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSpotDatafeedSubscription&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/spotDatafeedSubscription/* + openAPIDocKey: '200' + id: aws.ec2.spot_datafeed_subscription + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/spot_datafeed_subscription/methods/spot_datafeed_subscription_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/spot_datafeed_subscription/methods/spot_datafeed_subscription_Create' + select: + - $ref: '#/components/x-stackQL-resources/spot_datafeed_subscription/methods/spot_datafeed_subscription_Describe' + update: [] + title: spot_datafeed_subscription + spot_fleet: + name: spot_fleet + methods: + spot_fleet_Request: + operation: + $ref: '#/paths/~1?Action=RequestSpotFleet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.spot_fleet + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: spot_fleet + spot_fleet_instances: + name: spot_fleet_instances + methods: + spot_fleet_instances_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSpotFleetInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/activeInstanceSet/item + openAPIDocKey: '200' + id: aws.ec2.spot_fleet_instances + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/spot_fleet_instances/methods/spot_fleet_instances_Describe' + update: [] + title: spot_fleet_instances + spot_fleet_request_history: + name: spot_fleet_request_history + methods: + spot_fleet_request_history_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSpotFleetRequestHistory&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/historyRecordSet/item + openAPIDocKey: '200' + id: aws.ec2.spot_fleet_request_history + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/spot_fleet_request_history/methods/spot_fleet_request_history_Describe' + update: [] + title: spot_fleet_request_history + spot_fleet_requests: + name: spot_fleet_requests + methods: + spot_fleet_request_Modify: + operation: + $ref: '#/paths/~1?Action=ModifySpotFleetRequest&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + spot_fleet_requests_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelSpotFleetRequests&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + spot_fleet_requests_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSpotFleetRequests&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/spotFleetRequestConfigSet/item + openAPIDocKey: '200' + id: aws.ec2.spot_fleet_requests + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/spot_fleet_requests/methods/spot_fleet_requests_Describe' + update: [] + title: spot_fleet_requests + spot_instance_requests: + name: spot_instance_requests + methods: + spot_instance_requests_Cancel: + operation: + $ref: '#/paths/~1?Action=CancelSpotInstanceRequests&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + spot_instance_requests_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSpotInstanceRequests&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/spotInstanceRequestSet/item + openAPIDocKey: '200' + id: aws.ec2.spot_instance_requests + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/spot_instance_requests/methods/spot_instance_requests_Describe' + update: [] + title: spot_instance_requests + spot_instances: + name: spot_instances + methods: + spot_instances_Request: + operation: + $ref: '#/paths/~1?Action=RequestSpotInstances&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.spot_instances + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: spot_instances + spot_placement_scores: + name: spot_placement_scores + methods: + spot_placement_scores_Get: + operation: + $ref: '#/paths/~1?Action=GetSpotPlacementScores&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/spotPlacementScoreSet/item + openAPIDocKey: '200' + id: aws.ec2.spot_placement_scores + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/spot_placement_scores/methods/spot_placement_scores_Get' + update: [] + title: spot_placement_scores + spot_price_history: + name: spot_price_history + methods: + spot_price_history_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSpotPriceHistory&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/spotPriceHistorySet/item + openAPIDocKey: '200' + id: aws.ec2.spot_price_history + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/spot_price_history/methods/spot_price_history_Describe' + update: [] + title: spot_price_history + stale_security_groups: + name: stale_security_groups + methods: + stale_security_groups_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeStaleSecurityGroups&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/staleSecurityGroupSet/item + openAPIDocKey: '200' + id: aws.ec2.stale_security_groups + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/stale_security_groups/methods/stale_security_groups_Describe' + update: [] + title: stale_security_groups + store_image_tasks: + name: store_image_tasks + methods: + store_image_task_Create: + operation: + $ref: '#/paths/~1?Action=CreateStoreImageTask&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + store_image_tasks_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeStoreImageTasks&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/storeImageTaskResultSet/item + openAPIDocKey: '200' + id: aws.ec2.store_image_tasks + sqlVerbs: + delete: [] + insert: + - $ref: '#/components/x-stackQL-resources/store_image_tasks/methods/store_image_task_Create' + select: + - $ref: '#/components/x-stackQL-resources/store_image_tasks/methods/store_image_tasks_Describe' + update: [] + title: store_image_tasks + subnet_attribute: + name: subnet_attribute + methods: + subnet_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifySubnetAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.subnet_attribute + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: subnet_attribute + subnet_cidr_block: + name: subnet_cidr_block + methods: + subnet_cidr_block_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateSubnetCidrBlock&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + subnet_cidr_block_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateSubnetCidrBlock&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.subnet_cidr_block + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: subnet_cidr_block + subnet_cidr_reservations: + name: subnet_cidr_reservations + methods: + subnet_cidr_reservation_Create: + operation: + $ref: '#/paths/~1?Action=CreateSubnetCidrReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + subnet_cidr_reservation_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteSubnetCidrReservation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + subnet_cidr_reservations_Get: + operation: + $ref: '#/paths/~1?Action=GetSubnetCidrReservations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.subnet_cidr_reservations + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/subnet_cidr_reservations/methods/subnet_cidr_reservation_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/subnet_cidr_reservations/methods/subnet_cidr_reservation_Create' + select: + - $ref: '#/components/x-stackQL-resources/subnet_cidr_reservations/methods/subnet_cidr_reservations_Get' + update: [] + title: subnet_cidr_reservations + subnets: + name: subnets + methods: + subnet_Create: + operation: + $ref: '#/paths/~1?Action=CreateSubnet&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + subnet_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteSubnet&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + subnets_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeSubnets&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/subnetSet/item + openAPIDocKey: '200' + id: aws.ec2.subnets + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/subnets/methods/subnet_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/subnets/methods/subnet_Create' + select: + - $ref: '#/components/x-stackQL-resources/subnets/methods/subnets_Describe' + update: [] + title: subnets + tags: + name: tags + methods: + tags_Create: + operation: + $ref: '#/paths/~1?Action=CreateTags&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + tags_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTags&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + tags_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTags&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/tagSet/item + openAPIDocKey: '200' + id: aws.ec2.tags + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/tags/methods/tags_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/tags/methods/tags_Create' + select: + - $ref: '#/components/x-stackQL-resources/tags/methods/tags_Describe' + update: [] + title: tags + traffic_mirror_filter_network_services: + name: traffic_mirror_filter_network_services + methods: + traffic_mirror_filter_network_services_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyTrafficMirrorFilterNetworkServices&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.traffic_mirror_filter_network_services + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: traffic_mirror_filter_network_services + traffic_mirror_filter_rule: + name: traffic_mirror_filter_rule + methods: + traffic_mirror_filter_rule_Create: + operation: + $ref: '#/paths/~1?Action=CreateTrafficMirrorFilterRule&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_filter_rule_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTrafficMirrorFilterRule&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_filter_rule_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyTrafficMirrorFilterRule&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.traffic_mirror_filter_rule + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_filter_rule/methods/traffic_mirror_filter_rule_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_filter_rule/methods/traffic_mirror_filter_rule_Create' + select: [] + update: [] + title: traffic_mirror_filter_rule + traffic_mirror_filters: + name: traffic_mirror_filters + methods: + traffic_mirror_filter_Create: + operation: + $ref: '#/paths/~1?Action=CreateTrafficMirrorFilter&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_filter_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTrafficMirrorFilter&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_filters_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTrafficMirrorFilters&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/trafficMirrorFilterSet/item + openAPIDocKey: '200' + id: aws.ec2.traffic_mirror_filters + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_filters/methods/traffic_mirror_filter_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_filters/methods/traffic_mirror_filter_Create' + select: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_filters/methods/traffic_mirror_filters_Describe' + update: [] + title: traffic_mirror_filters + traffic_mirror_sessions: + name: traffic_mirror_sessions + methods: + traffic_mirror_session_Create: + operation: + $ref: '#/paths/~1?Action=CreateTrafficMirrorSession&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_session_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTrafficMirrorSession&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_session_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyTrafficMirrorSession&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_sessions_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTrafficMirrorSessions&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/trafficMirrorSessionSet/item + openAPIDocKey: '200' + id: aws.ec2.traffic_mirror_sessions + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_sessions/methods/traffic_mirror_session_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_sessions/methods/traffic_mirror_session_Create' + select: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_sessions/methods/traffic_mirror_sessions_Describe' + update: [] + title: traffic_mirror_sessions + traffic_mirror_targets: + name: traffic_mirror_targets + methods: + traffic_mirror_target_Create: + operation: + $ref: '#/paths/~1?Action=CreateTrafficMirrorTarget&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_target_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTrafficMirrorTarget&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + traffic_mirror_targets_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTrafficMirrorTargets&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/trafficMirrorTargetSet/item + openAPIDocKey: '200' + id: aws.ec2.traffic_mirror_targets + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_targets/methods/traffic_mirror_target_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_targets/methods/traffic_mirror_target_Create' + select: + - $ref: '#/components/x-stackQL-resources/traffic_mirror_targets/methods/traffic_mirror_targets_Describe' + update: [] + title: traffic_mirror_targets + transit_gateway_attachment_propagations: + name: transit_gateway_attachment_propagations + methods: + transit_gateway_attachment_propagations_Get: + operation: + $ref: '#/paths/~1?Action=GetTransitGatewayAttachmentPropagations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayAttachmentPropagations/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_attachment_propagations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_attachment_propagations/methods/transit_gateway_attachment_propagations_Get' + update: [] + title: transit_gateway_attachment_propagations + transit_gateway_attachments: + name: transit_gateway_attachments + methods: + transit_gateway_attachments_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayAttachments&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayAttachments/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_attachments + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_attachments/methods/transit_gateway_attachments_Describe' + update: [] + title: transit_gateway_attachments + transit_gateway_connect_peers: + name: transit_gateway_connect_peers + methods: + transit_gateway_connect_peer_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayConnectPeer&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_connect_peer_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayConnectPeer&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_connect_peers_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayConnectPeers&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayConnectPeerSet/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_connect_peers + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_connect_peers/methods/transit_gateway_connect_peer_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_connect_peers/methods/transit_gateway_connect_peer_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_connect_peers/methods/transit_gateway_connect_peers_Describe' + update: [] + title: transit_gateway_connect_peers + transit_gateway_connects: + name: transit_gateway_connects + methods: + transit_gateway_connect_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayConnect&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_connect_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayConnect&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_connects_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayConnects&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayConnectSet/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_connects + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_connects/methods/transit_gateway_connect_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_connects/methods/transit_gateway_connect_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_connects/methods/transit_gateway_connects_Describe' + update: [] + title: transit_gateway_connects + transit_gateway_multicast_domain_associations: + name: transit_gateway_multicast_domain_associations + methods: + transit_gateway_multicast_domain_associations_Accept: + operation: + $ref: '#/paths/~1?Action=AcceptTransitGatewayMulticastDomainAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_domain_associations_Get: + operation: + $ref: '#/paths/~1?Action=GetTransitGatewayMulticastDomainAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/multicastDomainAssociations/item + openAPIDocKey: '200' + transit_gateway_multicast_domain_associations_Reject: + operation: + $ref: '#/paths/~1?Action=RejectTransitGatewayMulticastDomainAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_multicast_domain_associations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_multicast_domain_associations/methods/transit_gateway_multicast_domain_associations_Get' + update: [] + title: transit_gateway_multicast_domain_associations + transit_gateway_multicast_domains: + name: transit_gateway_multicast_domains + methods: + transit_gateway_multicast_domain_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateTransitGatewayMulticastDomain&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_domain_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayMulticastDomain&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_domain_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayMulticastDomain&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_domain_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateTransitGatewayMulticastDomain&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_domains_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayMulticastDomains&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayMulticastDomains/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_multicast_domains + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_multicast_domains/methods/transit_gateway_multicast_domain_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_multicast_domains/methods/transit_gateway_multicast_domain_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_multicast_domains/methods/transit_gateway_multicast_domains_Describe' + update: [] + title: transit_gateway_multicast_domains + transit_gateway_multicast_group_members: + name: transit_gateway_multicast_group_members + methods: + transit_gateway_multicast_group_members_Deregister: + operation: + $ref: '#/paths/~1?Action=DeregisterTransitGatewayMulticastGroupMembers&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_group_members_Register: + operation: + $ref: '#/paths/~1?Action=RegisterTransitGatewayMulticastGroupMembers&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_multicast_group_members + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: transit_gateway_multicast_group_members + transit_gateway_multicast_group_sources: + name: transit_gateway_multicast_group_sources + methods: + transit_gateway_multicast_group_sources_Deregister: + operation: + $ref: '#/paths/~1?Action=DeregisterTransitGatewayMulticastGroupSources&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_multicast_group_sources_Register: + operation: + $ref: '#/paths/~1?Action=RegisterTransitGatewayMulticastGroupSources&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_multicast_group_sources + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: transit_gateway_multicast_group_sources + transit_gateway_multicast_groups: + name: transit_gateway_multicast_groups + methods: + transit_gateway_multicast_groups_Search: + operation: + $ref: '#/paths/~1?Action=SearchTransitGatewayMulticastGroups&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_multicast_groups + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: transit_gateway_multicast_groups + transit_gateway_peering_attachments: + name: transit_gateway_peering_attachments + methods: + transit_gateway_peering_attachment_Accept: + operation: + $ref: '#/paths/~1?Action=AcceptTransitGatewayPeeringAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_peering_attachment_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayPeeringAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_peering_attachment_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayPeeringAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_peering_attachment_Reject: + operation: + $ref: '#/paths/~1?Action=RejectTransitGatewayPeeringAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_peering_attachments_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayPeeringAttachments&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayPeeringAttachments/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_peering_attachments + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_peering_attachments/methods/transit_gateway_peering_attachment_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_peering_attachments/methods/transit_gateway_peering_attachment_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_peering_attachments/methods/transit_gateway_peering_attachments_Describe' + update: [] + title: transit_gateway_peering_attachments + transit_gateway_prefix_list_references: + name: transit_gateway_prefix_list_references + methods: + transit_gateway_prefix_list_reference_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayPrefixListReference&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_prefix_list_reference_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayPrefixListReference&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_prefix_list_reference_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyTransitGatewayPrefixListReference&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_prefix_list_references_Get: + operation: + $ref: '#/paths/~1?Action=GetTransitGatewayPrefixListReferences&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayPrefixListReferenceSet/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_prefix_list_references + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_prefix_list_references/methods/transit_gateway_prefix_list_reference_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_prefix_list_references/methods/transit_gateway_prefix_list_reference_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_prefix_list_references/methods/transit_gateway_prefix_list_references_Get' + update: [] + title: transit_gateway_prefix_list_references + transit_gateway_route_table_associations: + name: transit_gateway_route_table_associations + methods: + transit_gateway_route_table_associations_Get: + operation: + $ref: '#/paths/~1?Action=GetTransitGatewayRouteTableAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/associations/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_route_table_associations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_route_table_associations/methods/transit_gateway_route_table_associations_Get' + update: [] + title: transit_gateway_route_table_associations + transit_gateway_route_table_propagations: + name: transit_gateway_route_table_propagations + methods: + transit_gateway_route_table_propagation_Disable: + operation: + $ref: '#/paths/~1?Action=DisableTransitGatewayRouteTablePropagation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_table_propagation_Enable: + operation: + $ref: '#/paths/~1?Action=EnableTransitGatewayRouteTablePropagation&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_table_propagations_Get: + operation: + $ref: '#/paths/~1?Action=GetTransitGatewayRouteTablePropagations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayRouteTablePropagations/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_route_table_propagations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_route_table_propagations/methods/transit_gateway_route_table_propagations_Get' + update: [] + title: transit_gateway_route_table_propagations + transit_gateway_route_tables: + name: transit_gateway_route_tables + methods: + transit_gateway_route_table_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateTransitGatewayRouteTable&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_table_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayRouteTable&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_table_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayRouteTable&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_table_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateTransitGatewayRouteTable&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_tables_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayRouteTables&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayRouteTables/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_route_tables + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_route_tables/methods/transit_gateway_route_table_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_route_tables/methods/transit_gateway_route_table_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_route_tables/methods/transit_gateway_route_tables_Describe' + update: [] + title: transit_gateway_route_tables + transit_gateway_routes: + name: transit_gateway_routes + methods: + transit_gateway_route_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_route_Replace: + operation: + $ref: '#/paths/~1?Action=ReplaceTransitGatewayRoute&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_routes_Export: + operation: + $ref: '#/paths/~1?Action=ExportTransitGatewayRoutes&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_routes_Search: + operation: + $ref: '#/paths/~1?Action=SearchTransitGatewayRoutes&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_routes + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_routes/methods/transit_gateway_route_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_routes/methods/transit_gateway_route_Create' + select: [] + update: [] + title: transit_gateway_routes + transit_gateway_vpc_attachments: + name: transit_gateway_vpc_attachments + methods: + transit_gateway_vpc_attachment_Accept: + operation: + $ref: '#/paths/~1?Action=AcceptTransitGatewayVpcAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_vpc_attachment_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGatewayVpcAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_vpc_attachment_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGatewayVpcAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_vpc_attachment_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyTransitGatewayVpcAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_vpc_attachment_Reject: + operation: + $ref: '#/paths/~1?Action=RejectTransitGatewayVpcAttachment&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_vpc_attachments_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGatewayVpcAttachments&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewayVpcAttachments/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateway_vpc_attachments + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateway_vpc_attachments/methods/transit_gateway_vpc_attachment_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateway_vpc_attachments/methods/transit_gateway_vpc_attachment_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateway_vpc_attachments/methods/transit_gateway_vpc_attachments_Describe' + update: [] + title: transit_gateway_vpc_attachments + transit_gateways: + name: transit_gateways + methods: + transit_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateTransitGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteTransitGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateway_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyTransitGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + transit_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTransitGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/transitGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.transit_gateways + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/transit_gateways/methods/transit_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/transit_gateways/methods/transit_gateway_Create' + select: + - $ref: '#/components/x-stackQL-resources/transit_gateways/methods/transit_gateways_Describe' + update: [] + title: transit_gateways + trunk_interface: + name: trunk_interface + methods: + trunk_interface_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateTrunkInterface&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + trunk_interface_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateTrunkInterface&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.trunk_interface + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: trunk_interface + trunk_interface_associations: + name: trunk_interface_associations + methods: + trunk_interface_associations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeTrunkInterfaceAssociations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/interfaceAssociationSet/item + openAPIDocKey: '200' + id: aws.ec2.trunk_interface_associations + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/trunk_interface_associations/methods/trunk_interface_associations_Describe' + update: [] + title: trunk_interface_associations + vgw_route_propagation: + name: vgw_route_propagation + methods: + vgw_route_propagation_Disable: + operation: + $ref: '#/paths/~1?Action=DisableVgwRoutePropagation&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + vgw_route_propagation_Enable: + operation: + $ref: '#/paths/~1?Action=EnableVgwRoutePropagation&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.vgw_route_propagation + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vgw_route_propagation + volume_attribute: + name: volume_attribute + methods: + volume_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVolumeAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + volume_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVolumeAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.volume_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/volume_attribute/methods/volume_attribute_Describe' + update: [] + title: volume_attribute + volume_i_o: + name: volume_i_o + methods: + volume_i_o_Enable: + operation: + $ref: '#/paths/~1?Action=EnableVolumeIO&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.volume_i_o + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: volume_i_o + volume_status: + name: volume_status + methods: + volume_status_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVolumeStatus&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/volumeStatusSet/item + openAPIDocKey: '200' + id: aws.ec2.volume_status + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/volume_status/methods/volume_status_Describe' + update: [] + title: volume_status volumes: - id: aws.ec2.volumes name: volumes + methods: + volume_Attach: + operation: + $ref: '#/paths/~1?Action=AttachVolume&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + volume_Create: + operation: + $ref: '#/paths/~1?Action=CreateVolume&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + volume_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVolume&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + volume_Detach: + operation: + $ref: '#/paths/~1?Action=DetachVolume&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + volume_Import: + operation: + $ref: '#/paths/~1?Action=ImportVolume&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + volume_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVolume&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + volumes_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVolumes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/volumeSet/item + openAPIDocKey: '200' + id: aws.ec2.volumes + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/volumes/methods/volume_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/volumes/methods/volume_Create' + select: + - $ref: '#/components/x-stackQL-resources/volumes/methods/volumes_Describe' + update: + - $ref: '#/components/x-stackQL-resources/volumes/methods/volume_Modify' title: volumes + volumes_presented: + id: aws.ec2.volumes_presented + name: volumes_presented + title: volumes_presented + methods: + describeVolumes: + config: + queryParamTranspose: + algorithm: AWSCanonical + requestTranslate: + algorithm: get_query_to_post_form_utf_8 + pagination: + requestToken: + key: NextToken + location: query + responseToken: + key: $.next_page_token + location: body + operation: + $ref: '#/paths/~1?Action=DescribeVolumes&Version=2016-11-15/get' + response: + mediaType: application/xml + overrideMediaType: application/json + openAPIDocKey: '200' + objectKey: '$.line_items' + schema_override: + $ref: '#/components/schemas/DisplayVolumesSchema' + transform: + body: > + { + "next_page_token": {{with index . "DescribeVolumesResponse" "nextToken"}}{{printf "%q" .}}{{else}}null{{end}}, + "line_items": [ + {{- $items := index . "DescribeVolumesResponse" "volumeSet" "item" -}} + {{- if eq (printf "%T" $items) "map[string]interface {}" }} + {{template "volume" $items}} + {{- else }} + {{- range $i, $v := $items }} + {{- if $i}},{{end}} + {{template "volume" $v}} + {{- end }} + {{- end }} + ] + } + {{define "volume"}} + { + "volume_id": {{printf "%q" (index . "volumeId")}}, + "size": {{toInt (index . "size")}}, + "snapshot_id": {{with index . "snapshotId"}}{{printf "%q" .}}{{else}}null{{end}}, + "availability_zone": {{printf "%q" (index . "availabilityZone")}}, + "status": {{printf "%q" (index . "status")}}, + "create_time": {{printf "%q" (index . "createTime")}}, + "volume_type": {{printf "%q" (index . "volumeType")}}, + "encrypted": {{toBool (index . "encrypted")}}, + "multi_attach_enabled": {{toBool (index . "multiAttachEnabled")}} + } + {{end}} + type: 'golang_template_mxj_v0.1.0' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/volumes_presented/methods/describeVolumes' + insert: [] + update: [] + delete: [] + volumes_naively_presented: + id: aws.ec2.volumes_naively_presented + name: volumes_naively_presented + title: volumes_naively_presented + methods: + describeVolumes: + config: + requestTranslate: + algorithm: get_query_to_post_form_utf_8 + pagination: + requestToken: + key: NextToken + location: query + responseToken: + key: $.next_page_token + location: body + operation: + $ref: '#/paths/~1?Action=DescribeVolumes&Version=2016-11-15/get' + response: + mediaType: application/xml + overrideMediaType: application/json + openAPIDocKey: '200' + schema_override: + $ref: '#/components/schemas/DescribeVolumesOutput' + transform: + body: >- + {{ toJson . }} + type: 'golang_template_mxj_v0.2.0' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/volumes_naively_presented/methods/describeVolumes' + insert: [] + update: [] + delete: [] + volumes_post_naively_presented: + id: aws.ec2.volumes_post_naively_presented + name: volumes_post_naively_presented + title: volumes_post_naively_presented + methods: + describeVolumes: + config: + requestBodyTranslate: + algorithm: naive + requestTranslate: + algorithm: drop_double_underscore_params + pagination: + requestToken: + key: nextToken + location: body + responseToken: + key: $.NextToken + location: body + operation: + $ref: '#/paths/~1?__Action=DescribeVolumes&__Version=2016-11-15/post' + response: + mediaType: application/xml + overrideMediaType: application/json + openAPIDocKey: '200' + schema_override: + $ref: '#/components/schemas/DescribeVolumesOutput' + transform: + body: >- + {{ toJson . }} + type: 'golang_template_mxj_v0.2.0' + request: + mediaType: application/x-www-form-urlencoded + schema_override: + $ref: '#/components/schemas/DescribeVolumesRequest' + transform: + type: golang_template_text_v0.1.0 + body: |- + {{- $ctx := . -}} + {{- if or (not $ctx) (eq (len $ctx) 0) -}} + {{- $ctx = "{}" -}} + {{- end -}} + {{- $body := jsonMapFromString $ctx -}} + {{- $nextToken := index $body "NextToken" -}} + {{- $query := "Action=DescribeVolumes&Version=2016-11-15" -}} + {{- if and $nextToken (ne $nextToken "") -}} + {{- $query = printf "%s&nextToken=%s" $query (urlquery $nextToken) -}} + {{- end -}} + {{- $query -}} + + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/volumes_post_naively_presented/methods/describeVolumes' + insert: [] + update: [] + delete: [] + volumes_poorly_presented: + id: aws.ec2.volumes_poorly_presented + name: volumes_poorly_presented + title: volumes_poorly_presented + methods: + describeVolumes: + config: + queryParamTranspose: + algorithm: AWSCanonical + requestTranslate: + algorithm: get_query_to_post_form_utf_8 + pagination: + requestToken: + key: NextToken + location: query + responseToken: + key: $.next_page_token + location: body + operation: + $ref: '#/paths/~1?Action=DescribeVolumes&Version=2016-11-15/get' + response: + mediaType: application/xml + overrideMediaType: application/json + openAPIDocKey: '200' + objectKey: '$.line_items' + schema_override: + $ref: '#/components/schemas/DisplayVolumesSchema' + transform: + body: > + { + "next_page_token": {{with index . "DescribeVolumesResponse" "nextToken"}}{{printf "%q" .}}{{else}}null{{end}}, + "line_items": [ + {{- $items := index . "DescribeVolumesResponse" "volumeSet" "item" -}} + {{- if eq (printf "%T" $items) "map[string]interface {}" }} + {{template "volume" $items}} + {{- else }} + {{- range $i, $v := $items }} + {{- if $i}},{{end}} + {{template "volume" $v}} + {{- end }} + {{- end }} + ] + } + {{define "volume"}} + { + "volume_id": {{printf "%q" (index . "volumeId")}}, + "size": {{toInt (index . "size")}}, + "snapshot_id": {{with index . "snapshotId"}}{{printf "%q" .}}{{else}}null{{end}}, + "availability_zone": {{printf "%q" (index . "availabilityZone")}}, + "status": {{printf "%q" (index . "status")}}, + "create_time": {{printf "%q" (index . "createTime")}}, + "volume_type": {{printf "%q" (index . "volumeType")}}, + "encrypted": {{toBool (index . "encrypted")}}, + "multi_attach_enabled": {{toBool (index . "multiAttachEnabled")}} + } + {{end}} + type: 'golang_template_mxj_v0.1.999' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/volumes_poorly_presented/methods/describeVolumes' + insert: [] + update: [] + delete: [] + volumes_modifications: + name: volumes_modifications + methods: + volumes_modifications_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVolumesModifications&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/volumeModificationSet/item + openAPIDocKey: '200' + id: aws.ec2.volumes_modifications + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/volumes_modifications/methods/volumes_modifications_Describe' + update: [] + title: volumes_modifications + vpc_attribute: + name: vpc_attribute + methods: + vpc_attribute_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcAttribute&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + vpc_attribute_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcAttribute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.vpc_attribute + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpc_attribute/methods/vpc_attribute_Describe' + update: [] + title: vpc_attribute + vpc_cidr_block: + name: vpc_cidr_block + methods: + vpc_cidr_block_Associate: + operation: + $ref: '#/paths/~1?Action=AssociateVpcCidrBlock&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_cidr_block_Disassociate: + operation: + $ref: '#/paths/~1?Action=DisassociateVpcCidrBlock&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_cidr_block + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vpc_cidr_block + vpc_classic_link: + name: vpc_classic_link + methods: + vpc_classic_link_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcClassicLink&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpcSet/item + openAPIDocKey: '200' + vpc_classic_link_Disable: + operation: + $ref: '#/paths/~1?Action=DisableVpcClassicLink&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_classic_link_Enable: + operation: + $ref: '#/paths/~1?Action=EnableVpcClassicLink&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_classic_link + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpc_classic_link/methods/vpc_classic_link_Describe' + update: [] + title: vpc_classic_link + vpc_classic_link_dns_support: + name: vpc_classic_link_dns_support + methods: + vpc_classic_link_dns_support_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcClassicLinkDnsSupport&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpcs/item + openAPIDocKey: '200' + vpc_classic_link_dns_support_Disable: + operation: + $ref: '#/paths/~1?Action=DisableVpcClassicLinkDnsSupport&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_classic_link_dns_support_Enable: + operation: + $ref: '#/paths/~1?Action=EnableVpcClassicLinkDnsSupport&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_classic_link_dns_support + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpc_classic_link_dns_support/methods/vpc_classic_link_dns_support_Describe' + update: [] + title: vpc_classic_link_dns_support + vpc_endpoint_connection_notifications: + name: vpc_endpoint_connection_notifications + methods: + vpc_endpoint_connection_notification_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpcEndpointConnectionNotification&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_connection_notification_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcEndpointConnectionNotification&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_connection_notifications_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpcEndpointConnectionNotifications&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_connection_notifications_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcEndpointConnectionNotifications&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/connectionNotificationSet/item + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_connection_notifications + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_connection_notifications/methods/vpc_endpoint_connection_notifications_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_connection_notifications/methods/vpc_endpoint_connection_notification_Create' + select: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_connection_notifications/methods/vpc_endpoint_connection_notifications_Describe' + update: [] + title: vpc_endpoint_connection_notifications + vpc_endpoint_connections: + name: vpc_endpoint_connections + methods: + vpc_endpoint_connections_Accept: + operation: + $ref: '#/paths/~1?Action=AcceptVpcEndpointConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_connections_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcEndpointConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpcEndpointConnectionSet/item + openAPIDocKey: '200' + vpc_endpoint_connections_Reject: + operation: + $ref: '#/paths/~1?Action=RejectVpcEndpointConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_connections + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_connections/methods/vpc_endpoint_connections_Describe' + update: [] + title: vpc_endpoint_connections + vpc_endpoint_service_configurations: + name: vpc_endpoint_service_configurations + methods: + vpc_endpoint_service_configuration_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpcEndpointServiceConfiguration&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_service_configuration_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcEndpointServiceConfiguration&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_service_configurations_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpcEndpointServiceConfigurations&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_service_configurations_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcEndpointServiceConfigurations&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/serviceConfigurationSet/item + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_service_configurations + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_service_configurations/methods/vpc_endpoint_service_configurations_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_service_configurations/methods/vpc_endpoint_service_configuration_Create' + select: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_service_configurations/methods/vpc_endpoint_service_configurations_Describe' + update: [] + title: vpc_endpoint_service_configurations + vpc_endpoint_service_payer_responsibility: + name: vpc_endpoint_service_payer_responsibility + methods: + vpc_endpoint_service_payer_responsibility_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcEndpointServicePayerResponsibility&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_service_payer_responsibility + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vpc_endpoint_service_payer_responsibility + vpc_endpoint_service_permissions: + name: vpc_endpoint_service_permissions + methods: + vpc_endpoint_service_permissions_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcEndpointServicePermissions&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/allowedPrincipals/item + openAPIDocKey: '200' + vpc_endpoint_service_permissions_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcEndpointServicePermissions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_service_permissions + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_service_permissions/methods/vpc_endpoint_service_permissions_Describe' + update: [] + title: vpc_endpoint_service_permissions + vpc_endpoint_service_private_dns_verification: + name: vpc_endpoint_service_private_dns_verification + methods: + vpc_endpoint_service_private_dns_verification_Start: + operation: + $ref: '#/paths/~1?Action=StartVpcEndpointServicePrivateDnsVerification&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_service_private_dns_verification + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vpc_endpoint_service_private_dns_verification + vpc_endpoint_services: + name: vpc_endpoint_services + methods: + vpc_endpoint_services_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcEndpointServices&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/serviceDetailSet/item + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoint_services + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpc_endpoint_services/methods/vpc_endpoint_services_Describe' + update: [] + title: vpc_endpoint_services + vpc_endpoints: + name: vpc_endpoints + methods: + vpc_endpoint_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpcEndpoint&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoint_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcEndpoint&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoints_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpcEndpoints&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_endpoints_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcEndpoints&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpcEndpointSet/item + openAPIDocKey: '200' + id: aws.ec2.vpc_endpoints + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpc_endpoints/methods/vpc_endpoints_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpc_endpoints/methods/vpc_endpoint_Create' + select: + - $ref: '#/components/x-stackQL-resources/vpc_endpoints/methods/vpc_endpoints_Describe' + update: [] + title: vpc_endpoints + vpc_peering_connection_options: + name: vpc_peering_connection_options + methods: + vpc_peering_connection_options_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcPeeringConnectionOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_peering_connection_options + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vpc_peering_connection_options + vpc_peering_connections: + name: vpc_peering_connections + methods: + vpc_peering_connection_Accept: + operation: + $ref: '#/paths/~1?Action=AcceptVpcPeeringConnection&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_peering_connection_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpcPeeringConnection&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_peering_connection_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpcPeeringConnection&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_peering_connection_Reject: + operation: + $ref: '#/paths/~1?Action=RejectVpcPeeringConnection&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_peering_connections_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcPeeringConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpcPeeringConnectionSet/item + openAPIDocKey: '200' + id: aws.ec2.vpc_peering_connections + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpc_peering_connections/methods/vpc_peering_connection_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpc_peering_connections/methods/vpc_peering_connection_Create' + select: + - $ref: '#/components/x-stackQL-resources/vpc_peering_connections/methods/vpc_peering_connections_Describe' + update: [] + title: vpc_peering_connections + vpc_tenancy: + name: vpc_tenancy + methods: + vpc_tenancy_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpcTenancy&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpc_tenancy + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vpc_tenancy + vpcs: + name: vpcs + methods: + vpc_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpc&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpc_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpc&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + vpcs_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpcs&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpcSet/item + openAPIDocKey: '200' + id: aws.ec2.vpcs + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpcs/methods/vpc_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpcs/methods/vpc_Create' + select: + - $ref: '#/components/x-stackQL-resources/vpcs/methods/vpcs_Describe' + update: [] + title: vpcs + vpn_connection_device_sample_configuration: + name: vpn_connection_device_sample_configuration + methods: + vpn_connection_device_sample_configuration_Get: + operation: + $ref: '#/paths/~1?Action=GetVpnConnectionDeviceSampleConfiguration&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /* + openAPIDocKey: '200' + id: aws.ec2.vpn_connection_device_sample_configuration + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpn_connection_device_sample_configuration/methods/vpn_connection_device_sample_configuration_Get' + update: [] + title: vpn_connection_device_sample_configuration + vpn_connection_device_types: + name: vpn_connection_device_types + methods: + vpn_connection_device_types_Get: + operation: + $ref: '#/paths/~1?Action=GetVpnConnectionDeviceTypes&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpnConnectionDeviceTypeSet/item + openAPIDocKey: '200' + id: aws.ec2.vpn_connection_device_types + sqlVerbs: + delete: [] + insert: [] + select: + - $ref: '#/components/x-stackQL-resources/vpn_connection_device_types/methods/vpn_connection_device_types_Get' + update: [] + title: vpn_connection_device_types + vpn_connection_options: + name: vpn_connection_options + methods: + vpn_connection_options_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpnConnectionOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpn_connection_options + sqlVerbs: + delete: [] + insert: [] + select: [] + update: [] + title: vpn_connection_options + vpn_connection_route: + name: vpn_connection_route + methods: + vpn_connection_route_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpnConnectionRoute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + vpn_connection_route_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpnConnectionRoute&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + id: aws.ec2.vpn_connection_route + sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpn_connection_route/methods/vpn_connection_route_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpn_connection_route/methods/vpn_connection_route_Create' + select: [] + update: [] + title: vpn_connection_route + vpn_connections: + name: vpn_connections methods: - describeVolumes: + vpn_connection_Create: operation: - $ref: '#/paths/~1?Action=DescribeVolumes&Version=2016-11-15/get' + $ref: '#/paths/~1?Action=CreateVpnConnection&Version=2016-11-15/get' response: - mediaType: application/xml + mediaType: text/xml + openAPIDocKey: '200' + vpn_connection_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpnConnection&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + vpn_connection_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpnConnection&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpn_connections_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpnConnections&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpnConnectionSet/item openAPIDocKey: '200' - objectKey: '/DescribeVolumesResponse/volumeSet/item' + id: aws.ec2.vpn_connections sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpn_connections/methods/vpn_connection_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpn_connections/methods/vpn_connection_Create' select: - - $ref: '#/components/x-stackQL-resources/volumes/methods/describeVolumes' - insert: [] + - $ref: '#/components/x-stackQL-resources/vpn_connections/methods/vpn_connections_Describe' update: [] - delete: [] - volumes_presented: - id: aws.ec2.volumes_presented - name: volumes_presented - title: volumes_presented + title: vpn_connections + vpn_gateways: + name: vpn_gateways methods: - describeVolumes: - config: - queryParamTranspose: - algorithm: AWSCanonical - requestTranslate: - algorithm: get_query_to_post_form_utf_8 + vpn_gateway_Attach: operation: - $ref: '#/paths/~1?Action=DescribeVolumes&Version=2016-11-15/get' + $ref: '#/paths/~1?Action=AttachVpnGateway&Version=2016-11-15/get' response: - mediaType: application/xml - overrideMediaType: application/json + mediaType: text/xml openAPIDocKey: '200' - objectKey: '/DescribeVolumesResponse/volumeSet/item' - schema_override: - $ref: '#/components/schemas/DisplayVolumesSchema' - transform: - body: > - { - "nextToken": {{with index . "DescribeVolumesResponse" "nextToken"}}{{printf "%q" .}}{{else}}null{{end}}, - "line_items": [ - {{- $items := index . "DescribeVolumesResponse" "volumeSet" "item" -}} - {{- if eq (printf "%T" $items) "map[string]interface {}" }} - {{template "volume" $items}} - {{- else }} - {{- range $i, $v := $items }} - {{- if $i}},{{end}} - {{template "volume" $v}} - {{- end }} - {{- end }} - ] - } - {{define "volume"}} - { - "volumeId": {{printf "%q" (index . "volumeId")}}, - "size": {{toInt (index . "size")}}, - "snapshotId": {{with index . "snapshotId"}}{{printf "%q" .}}{{else}}null{{end}}, - "availabilityZone": {{printf "%q" (index . "availabilityZone")}}, - "status": {{printf "%q" (index . "status")}}, - "createTime": {{printf "%q" (index . "createTime")}}, - "volumeType": {{printf "%q" (index . "volumeType")}}, - "encrypted": {{toBool (index . "encrypted")}}, - "multiAttachEnabled": {{toBool (index . "multiAttachEnabled")}} - } - {{end}} - type: 'golang_template_mxj_v0.1.0' + vpn_gateway_Create: + operation: + $ref: '#/paths/~1?Action=CreateVpnGateway&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + vpn_gateway_Delete: + operation: + $ref: '#/paths/~1?Action=DeleteVpnGateway&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + vpn_gateway_Detach: + operation: + $ref: '#/paths/~1?Action=DetachVpnGateway&Version=2016-11-15/get' + response: + openAPIDocKey: '200' + vpn_gateways_Describe: + operation: + $ref: '#/paths/~1?Action=DescribeVpnGateways&Version=2016-11-15/get' + response: + mediaType: text/xml + objectKey: /*/vpnGatewaySet/item + openAPIDocKey: '200' + id: aws.ec2.vpn_gateways sqlVerbs: + delete: + - $ref: '#/components/x-stackQL-resources/vpn_gateways/methods/vpn_gateway_Delete' + insert: + - $ref: '#/components/x-stackQL-resources/vpn_gateways/methods/vpn_gateway_Create' select: - - $ref: '#/components/x-stackQL-resources/volumes/methods/describeVolumes' + - $ref: '#/components/x-stackQL-resources/vpn_gateways/methods/vpn_gateways_Describe' + update: [] + title: vpn_gateways + vpn_tunnel_certificate: + name: vpn_tunnel_certificate + methods: + vpn_tunnel_certificate_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpnTunnelCertificate&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpn_tunnel_certificate + sqlVerbs: + delete: [] insert: [] + select: [] update: [] + title: vpn_tunnel_certificate + vpn_tunnel_options: + name: vpn_tunnel_options + methods: + vpn_tunnel_options_Modify: + operation: + $ref: '#/paths/~1?Action=ModifyVpnTunnelOptions&Version=2016-11-15/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + id: aws.ec2.vpn_tunnel_options + sqlVerbs: delete: [] + insert: [] + select: [] + update: [] + title: vpn_tunnel_options parameters: X-Amz-Content-Sha256: name: X-Amz-Content-Sha256 @@ -339,376 +46705,33848 @@ components: description: Amazon Signature authorization v4 x-amazon-apigateway-authtype: awsSigv4 schemas: + DisplayVolumesSchema: + title: Key Display + type: object + properties: + next_page_token: + type: string + description: The NextToken value to include in a future DescribeVolumes request. When the results of a DescribeVolumes request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return. + line_items: + type: array + items: + type: object + properties: + volume_type: + type: string + description: The volume type + example: gp3 + volume_id: + type: string + example: vol-00aaaccc111000000 + snapshot_id: + type: string + status: + type: string + availability_zone: + type: string + create_time: + type: string + description: Textual datetime representation of the volume's creation time. + example: '2024-08-20T05:47:06.409Z' + size: + type: integer + example: 8 + encrypted: + type: bool + multi_attach_enabled: + type: bool + AcceptReservedInstancesExchangeQuoteResult: + type: object + properties: + exchangeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the successful exchange. + description: The result of the exchange and whether it was successful. + ReservationId: + type: string + TargetConfigurationRequest: + type: object + required: + - OfferingId + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ReservedInstancesOfferingId' + - description: The Convertible Reserved Instance offering ID. + description: Details about the target configuration. + AcceptTransitGatewayMulticastDomainAssociationsResult: + type: object + properties: + associations: + $ref: '#/components/schemas/TransitGatewayMulticastDomainAssociations' + String: + type: string + AcceptTransitGatewayPeeringAttachmentResult: + type: object + properties: + transitGatewayPeeringAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayPeeringAttachment' + - description: The transit gateway peering attachment. + AcceptTransitGatewayVpcAttachmentResult: + type: object + properties: + transitGatewayVpcAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachment' + - description: The VPC attachment. + AcceptVpcEndpointConnectionsResult: + type: object + properties: + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: 'Information about the interface endpoints that were not accepted, if applicable.' + VpcEndpointId: + type: string + AcceptVpcPeeringConnectionResult: + type: object + properties: + vpcPeeringConnection: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnection' + - description: Information about the VPC peering connection. + AdvertiseByoipCidrResult: + type: object + properties: + byoipCidr: + allOf: + - $ref: '#/components/schemas/ByoipCidr' + - description: Information about the address range. + AllocateAddressResult: + type: object + example: + Domain: standard + PublicIp: 198.51.100.0 + properties: + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The Elastic IP address. + allocationId: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] The ID that Amazon Web Services assigns to represent the allocation of the Elastic IP address for use with instances in a VPC.' + publicIpv4Pool: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of an address pool. + networkBorderGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The set of Availability Zones, Local Zones, or Wavelength Zones from which Amazon Web Services advertises IP addresses.' + domain: + allOf: + - $ref: '#/components/schemas/DomainType' + - description: Indicates whether the Elastic IP address is for use with instances in a VPC (vpc) or instances in EC2-Classic (standard). + customerOwnedIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The customer-owned IP address. + customerOwnedIpv4Pool: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the customer-owned address pool. + carrierIp: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The carrier IP address. This option is only available for network interfaces which reside in a subnet in a Wavelength Zone (for example an EC2 instance). ' + TagSpecification: + type: object + properties: + resourceType: + allOf: + - $ref: '#/components/schemas/ResourceType' + - description: The type of resource to tag on creation. + Tag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags to apply to the resource. + description: The tags to apply to a resource when the resource is being created. + AllocateHostsResult: + type: object + properties: + hostIdSet: + allOf: + - $ref: '#/components/schemas/ResponseHostIdList' + - description: The ID of the allocated Dedicated Host. This is used to launch an instance onto a specific host. + description: Contains the output of AllocateHosts. + AllocateIpamPoolCidrResult: + type: object + properties: + ipamPoolAllocation: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocation' + - description: Information about the allocation created. + ApplySecurityGroupsToClientVpnTargetNetworkResult: + type: object + properties: + securityGroupIds: + allOf: + - $ref: '#/components/schemas/ClientVpnSecurityGroupIdSet' + - description: The IDs of the applied security groups. + SecurityGroupId: + type: string + AssignIpv6AddressesResult: + type: object + properties: + assignedIpv6Addresses: + allOf: + - $ref: '#/components/schemas/Ipv6AddressList' + - description: The new IPv6 addresses assigned to the network interface. Existing IPv6 addresses that were assigned to the network interface before the request are not included. + assignedIpv6PrefixSet: + allOf: + - $ref: '#/components/schemas/IpPrefixList' + - description: The IPv6 prefixes that are assigned to the network interface. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + AssignPrivateIpAddressesResult: + type: object + properties: + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + assignedPrivateIpAddressesSet: + allOf: + - $ref: '#/components/schemas/AssignedPrivateIpAddressList' + - description: The private IP addresses assigned to the network interface. + assignedIpv4PrefixSet: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixesList' + - description: The IPv4 prefixes that are assigned to the network interface. + AssociateAddressResult: + type: object + example: + AssociationId: eipassoc-2bebb745 + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] The ID that represents the association of the Elastic IP address with an instance.' + AssociateClientVpnTargetNetworkResult: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The unique ID of the target network association. + status: + allOf: + - $ref: '#/components/schemas/AssociationStatus' + - description: The current state of the target network association. + AssociateEnclaveCertificateIamRoleResult: + type: object + properties: + certificateS3BucketName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Amazon S3 bucket to which the certificate was uploaded. + certificateS3ObjectKey: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Amazon S3 object key where the certificate, certificate chain, and encrypted private key bundle are stored. The object key is formatted as follows: role_arn/certificate_arn.' + encryptionKmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the KMS key used to encrypt the private key of the certificate. + AssociateIamInstanceProfileResult: + type: object + example: + IamInstanceProfileAssociation: + AssociationId: iip-assoc-0e7736511a163c209 + IamInstanceProfile: + Arn: 'arn:aws:iam::123456789012:instance-profile/admin-role' + Id: AIPAJBLK7RKJKWDXVHIEC + InstanceId: i-123456789abcde123 + State: associating + properties: + iamInstanceProfileAssociation: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociation' + - description: Information about the IAM instance profile association. + AssociateInstanceEventWindowResult: + type: object + properties: + instanceEventWindow: + allOf: + - $ref: '#/components/schemas/InstanceEventWindow' + - description: Information about the event window. + InstanceIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: item + TagList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Tag' + - xml: + name: item + DedicatedHostIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + AssociateRouteTableResult: + type: object + example: + AssociationId: rtbassoc-781d0d1a + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The route table association ID. This ID is required for disassociating the route table. + associationState: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationState' + - description: The state of the association. + AssociateSubnetCidrBlockResult: + type: object + properties: + ipv6CidrBlockAssociation: + allOf: + - $ref: '#/components/schemas/SubnetIpv6CidrBlockAssociation' + - description: Information about the IPv6 association. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + AssociateTransitGatewayMulticastDomainResult: + type: object + properties: + associations: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainAssociations' + - description: Information about the transit gateway multicast domain associations. + SubnetId: + type: string + AssociateTransitGatewayRouteTableResult: + type: object + properties: + association: + allOf: + - $ref: '#/components/schemas/TransitGatewayAssociation' + - description: The ID of the association. + AssociateTrunkInterfaceResult: + type: object + properties: + interfaceAssociation: + allOf: + - $ref: '#/components/schemas/TrunkInterfaceAssociation' + - description: Information about the association between the trunk network interface and branch network interface. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to Ensure Idempotency.' + AssociateVpcCidrBlockResult: + type: object + properties: + ipv6CidrBlockAssociation: + allOf: + - $ref: '#/components/schemas/VpcIpv6CidrBlockAssociation' + - description: Information about the IPv6 CIDR block association. + cidrBlockAssociation: + allOf: + - $ref: '#/components/schemas/VpcCidrBlockAssociation' + - description: Information about the IPv4 CIDR block association. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + AttachClassicLinkVpcResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + AttachNetworkInterfaceResult: + type: object + example: + AttachmentId: eni-attach-66c4350a + properties: + attachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface attachment. + networkCardIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the network card. + description: Contains the output of AttachNetworkInterface. + VolumeAttachment: + type: object + example: + AttachTime: '2014-02-27T19:23:06.000Z' + Device: /dev/sdb + InstanceId: i-1234567890abcdef0 + State: detaching + VolumeId: vol-049df61146c4d7901 + properties: + attachTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time stamp when the attachment initiated. + device: + allOf: + - $ref: '#/components/schemas/String' + - description: The device name. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + status: + allOf: + - $ref: '#/components/schemas/VolumeAttachmentState' + - description: The attachment state of the volume. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the EBS volume is deleted on instance termination. + description: Describes volume attachment details. + AttachVpnGatewayResult: + type: object + properties: + attachment: + allOf: + - $ref: '#/components/schemas/VpcAttachment' + - description: Information about the attachment. + description: Contains the output of AttachVpnGateway. + AuthorizeClientVpnIngressResult: + type: object + properties: + status: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthorizationRuleStatus' + - description: The current state of the authorization rule. + AuthorizeSecurityGroupEgressResult: + type: object + example: {} + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + securityGroupRuleSet: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleList' + - description: Information about the outbound (egress) security group rules that were added. + IpPermission: + type: object + properties: + fromPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The start of port range for the TCP and UDP protocols, or an ICMP/ICMPv6 type number. A value of -1 indicates all ICMP/ICMPv6 types. If you specify all ICMP/ICMPv6 types, you must specify all codes.' + ipProtocol: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The IP protocol name (tcp, udp, icmp, icmpv6) or number (see Protocol Numbers).

[VPC only] Use -1 to specify all protocols. When authorizing security group rules, specifying -1 or a protocol number other than tcp, udp, icmp, or icmpv6 allows traffic on all ports, regardless of any port range you specify. For tcp, udp, and icmp, you must specify a port range. For icmpv6, the port range is optional; if you omit the port range, traffic for all types and codes is allowed.

' + ipRanges: + allOf: + - $ref: '#/components/schemas/IpRangeList' + - description: The IPv4 ranges. + ipv6Ranges: + allOf: + - $ref: '#/components/schemas/Ipv6RangeList' + - description: '[VPC only] The IPv6 ranges.' + prefixListIds: + allOf: + - $ref: '#/components/schemas/PrefixListIdList' + - description: '[VPC only] The prefix list IDs.' + toPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The end of port range for the TCP and UDP protocols, or an ICMP/ICMPv6 code. A value of -1 indicates all ICMP/ICMPv6 codes. If you specify all ICMP/ICMPv6 types, you must specify all codes.' + groups: + allOf: + - $ref: '#/components/schemas/UserIdGroupPairList' + - description: The security group and Amazon Web Services account ID pairs. + description: Describes a set of permissions for a security group rule. + AuthorizeSecurityGroupIngressResult: + type: object + example: {} + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + securityGroupRuleSet: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleList' + - description: Information about the inbound (ingress) security group rules that were added. + BundleInstanceResult: + type: object + properties: + bundleInstanceTask: + allOf: + - $ref: '#/components/schemas/BundleTask' + - description: Information about the bundle task. + description: Contains the output of BundleInstance. + S3Storage: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The access key ID of the owner of the bucket. Before you specify a value for your access key ID, review and follow the guidance in Best Practices for Managing Amazon Web Services Access Keys.' + bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The bucket in which to store the AMI. You can specify a bucket that you already own or a new bucket that Amazon EC2 creates on your behalf. If you specify a bucket that belongs to someone else, Amazon EC2 returns an error.' + prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The beginning of the file name of the AMI. + uploadPolicy: + allOf: + - $ref: '#/components/schemas/Blob' + - description: An Amazon S3 upload policy that gives Amazon EC2 permission to upload items into Amazon S3 on your behalf. + uploadPolicySignature: + allOf: + - $ref: '#/components/schemas/String' + - description: The signature of the JSON document. + description: Describes the storage parameters for Amazon S3 and Amazon S3 buckets for an instance store-backed AMI. + CancelBundleTaskResult: + type: object + properties: + bundleInstanceTask: + allOf: + - $ref: '#/components/schemas/BundleTask' + - description: Information about the bundle task. + description: Contains the output of CancelBundleTask. + CancelCapacityReservationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + CancelCapacityReservationFleetsResult: + type: object + properties: + successfulFleetCancellationSet: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetCancellationStateSet' + - description: Information about the Capacity Reservation Fleets that were successfully cancelled. + failedFleetCancellationSet: + allOf: + - $ref: '#/components/schemas/FailedCapacityReservationFleetCancellationResultSet' + - description: Information about the Capacity Reservation Fleets that could not be cancelled. + CapacityReservationFleetId: + type: string + CancelImportTaskResult: + type: object + properties: + importTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the task being canceled. + previousState: + allOf: + - $ref: '#/components/schemas/String' + - description: The current state of the task being canceled. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The current state of the task being canceled. + CancelReservedInstancesListingResult: + type: object + properties: + reservedInstancesListingsSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesListingList' + - description: The Reserved Instance listing. + description: Contains the output of CancelReservedInstancesListing. + CancelSpotFleetRequestsResponse: + type: object + example: + SuccessfulFleetRequests: + - CurrentSpotFleetRequestState: cancelled_terminating + PreviousSpotFleetRequestState: active + SpotFleetRequestId: sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE + properties: + successfulFleetRequestSet: + allOf: + - $ref: '#/components/schemas/CancelSpotFleetRequestsSuccessSet' + - description: Information about the Spot Fleet requests that are successfully canceled. + unsuccessfulFleetRequestSet: + allOf: + - $ref: '#/components/schemas/CancelSpotFleetRequestsErrorSet' + - description: Information about the Spot Fleet requests that are not successfully canceled. + description: Contains the output of CancelSpotFleetRequests. + SpotFleetRequestId: + type: string + CancelSpotInstanceRequestsResult: + type: object + example: + CancelledSpotInstanceRequests: + - SpotInstanceRequestId: sir-08b93456 + State: cancelled + properties: + spotInstanceRequestSet: + allOf: + - $ref: '#/components/schemas/CancelledSpotInstanceRequestList' + - description: One or more Spot Instance requests. + description: Contains the output of CancelSpotInstanceRequests. + SpotInstanceRequestId: + type: string + ConfirmProductInstanceResult: + type: object + example: + OwnerId: '123456789012' + properties: + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the instance owner. This is only present if the product code is attached to the instance. + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The return value of the request. Returns true if the specified product code is owned by the requester and associated with the specified instance. + CopyFpgaImageResult: + type: object + properties: + fpgaImageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the new AFI. + CopyImageResult: + type: object + example: + ImageId: ami-438bea42 + properties: + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the new AMI. + description: Contains the output of CopyImage. + CopySnapshotResult: + type: object + example: + SnapshotId: snap-066877671789bd71b + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the new snapshot. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags applied to the new snapshot. + CreateCapacityReservationResult: + type: object + properties: + capacityReservation: + allOf: + - $ref: '#/components/schemas/CapacityReservation' + - description: Information about the Capacity Reservation. + CreateCapacityReservationFleetResult: + type: object + properties: + capacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - description: The ID of the Capacity Reservation Fleet. + state: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetState' + - description: The status of the Capacity Reservation Fleet. + totalTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of capacity units for which the Capacity Reservation Fleet reserves capacity. + totalFulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The requested capacity units that have been successfully reserved. + instanceMatchCriteria: + allOf: + - $ref: '#/components/schemas/FleetInstanceMatchCriteria' + - description: The instance matching criteria for the Capacity Reservation Fleet. + allocationStrategy: + allOf: + - $ref: '#/components/schemas/String' + - description: The allocation strategy used by the Capacity Reservation Fleet. + createTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time at which the Capacity Reservation Fleet was created. + endDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time at which the Capacity Reservation Fleet expires. + tenancy: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservationTenancy' + - description: Indicates the tenancy of Capacity Reservation Fleet. + fleetCapacityReservationSet: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservationSet' + - description: Information about the individual Capacity Reservations in the Capacity Reservation Fleet. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the Capacity Reservation Fleet. + ReservationFleetInstanceSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IntegerWithConstraints' + - description: 'The priority to assign to the instance type. This value is used to determine which of the instance types specified for the Fleet should be prioritized for use. A lower value indicates a high priority. For more information, see Instance type priority in the Amazon EC2 User Guide.' + description: Information about an instance type to use in a Capacity Reservation Fleet. + CreateCarrierGatewayResult: + type: object + properties: + carrierGateway: + allOf: + - $ref: '#/components/schemas/CarrierGateway' + - description: Information about the carrier gateway. + CreateClientVpnEndpointResult: + type: object + properties: + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint. + status: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointStatus' + - description: The current state of the Client VPN endpoint. + dnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The DNS name to be used by clients when establishing their VPN session. + ClientVpnAuthenticationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FederatedAuthenticationRequest' + - description: 'Information about the IAM SAML identity provider to be used, if applicable. You must provide this information if Type is federated-authentication.' + description: 'Describes the authentication method to be used by a Client VPN endpoint. For more information, see Authentication in the Client VPN Administrator Guide.' + CreateClientVpnRouteResult: + type: object + properties: + status: + allOf: + - $ref: '#/components/schemas/ClientVpnRouteStatus' + - description: The current state of the route. + CreateCustomerGatewayResult: + type: object + example: + CustomerGateway: + BgpAsn: '65534' + CustomerGatewayId: cgw-0e11f167 + IpAddress: 12.1.2.3 + State: available + Type: ipsec.1 + properties: + customerGateway: + allOf: + - $ref: '#/components/schemas/CustomerGateway' + - description: Information about the customer gateway. + description: Contains the output of CreateCustomerGateway. + CreateDefaultSubnetResult: + type: object + properties: + subnet: + allOf: + - $ref: '#/components/schemas/Subnet' + - description: Information about the subnet. + CreateDefaultVpcResult: + type: object + properties: + vpc: + allOf: + - $ref: '#/components/schemas/Vpc' + - description: Information about the VPC. + CreateDhcpOptionsResult: + type: object + example: + DhcpOptions: + DhcpConfigurations: + - Key: domain-name-servers + Values: + - Value: 10.2.5.2 + - Value: 10.2.5.1 + DhcpOptionsId: dopt-d9070ebb + properties: + dhcpOptions: + allOf: + - $ref: '#/components/schemas/DhcpOptions' + - description: A set of DHCP options. + NewDhcpConfiguration: + type: object + properties: + key: + $ref: '#/components/schemas/String' + Value: + $ref: '#/components/schemas/ValueStringList' + CreateEgressOnlyInternetGatewayResult: + type: object + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request.' + egressOnlyInternetGateway: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGateway' + - description: Information about the egress-only internet gateway. + CreateFleetResult: + type: object + properties: + fleetId: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC2 Fleet. + errorSet: + allOf: + - $ref: '#/components/schemas/CreateFleetErrorsSet' + - description: Information about the instances that could not be launched by the fleet. Supported only for fleets of type instant. + fleetInstanceSet: + allOf: + - $ref: '#/components/schemas/CreateFleetInstancesSet' + - description: Information about the instances that were launched by the fleet. Supported only for fleets of type instant. + FleetLaunchTemplateConfigRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateOverridesListRequest' + - description: '

Any parameters that you specify override the same parameters in the launch template.

For fleets of type request and maintain, a maximum of 300 items is allowed across all launch templates.

' + description: Describes a launch template and overrides. + TargetCapacityUnitType: + type: string + enum: + - vcpu + - memory-mib + - units + CreateFlowLogsResult: + type: object + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request.' + flowLogIdSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the flow logs. + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: Information about the flow logs that could not be created successfully. + FlowLogResourceId: + type: string Boolean: type: boolean - DateTime: + CreateFpgaImageResult: + type: object + properties: + fpgaImageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The FPGA image identifier (AFI ID). + fpgaImageGlobalId: + allOf: + - $ref: '#/components/schemas/String' + - description: The global FPGA image identifier (AGFI ID). + CreateImageResult: + type: object + example: + ImageId: ami-1a2b3c4d + properties: + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the new AMI. + BlockDeviceMapping: + type: object + properties: + deviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The device name (for example, /dev/sdh or xvdh).' + virtualName: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The virtual device name (ephemeralN). Instance store volumes are numbered starting from 0. An instance type with 2 available instance store volumes can specify mappings for ephemeral0 and ephemeral1. The number of available instance store volumes depends on the instance type. After you connect to the instance, you must mount the volume.

NVMe instance store volumes are automatically enumerated and assigned a device name. Including them in your block device mapping has no effect.

Constraints: For M3 instances, you must specify instance store volumes in the block device mapping for the instance. When you launch an M3 instance, we ignore any instance store volumes specified in the block device mapping for the AMI.

' + ebs: + allOf: + - $ref: '#/components/schemas/EbsBlockDevice' + - description: Parameters used to automatically set up EBS volumes when the instance is launched. + noDevice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'To omit the device from the block device mapping, specify an empty string. When this property is specified, the device is removed from the block device mapping regardless of the assigned value.' + description: 'Describes a block device mapping, which defines the EBS volumes and instance store volumes to attach to an instance at launch.' + CreateInstanceEventWindowResult: + type: object + properties: + instanceEventWindow: + allOf: + - $ref: '#/components/schemas/InstanceEventWindow' + - description: Information about the event window. + InstanceEventWindowTimeRangeRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Hour' + - description: The hour when the time range ends. + description: 'The start day and time and the end day and time of the time range, in UTC.' + CreateInstanceExportTaskResult: + type: object + properties: + exportTask: + allOf: + - $ref: '#/components/schemas/ExportTask' + - description: Information about the export instance task. + ContainerFormat: + type: string + enum: + - ova + DiskImageFormat: + type: string + enum: + - VMDK + - RAW + - VHD + CreateInternetGatewayResult: + type: object + example: + InternetGateway: + Attachments: [] + InternetGatewayId: igw-c0a643a9 + Tags: [] + properties: + internetGateway: + allOf: + - $ref: '#/components/schemas/InternetGateway' + - description: Information about the internet gateway. + CreateIpamResult: + type: object + properties: + ipam: + allOf: + - $ref: '#/components/schemas/Ipam' + - description: Information about the IPAM created. + AddIpamOperatingRegion: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the operating Region. + description: '

Add an operating Region to an IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + CreateIpamPoolResult: + type: object + properties: + ipamPool: + allOf: + - $ref: '#/components/schemas/IpamPool' + - description: Information about the IPAM pool created. + RequestIpamResourceTag: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the tag. + description: A tag on an IPAM resource. + CreateIpamScopeResult: + type: object + properties: + ipamScope: + allOf: + - $ref: '#/components/schemas/IpamScope' + - description: Information about the created scope. + KeyPair: + type: object + properties: + keyFingerprint: + allOf: + - $ref: '#/components/schemas/String' + - description: '' + keyMaterial: + allOf: + - $ref: '#/components/schemas/SensitiveUserData' + - description: An unencrypted PEM encoded RSA or ED25519 private key. + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the key pair. + keyPairId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the key pair. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags applied to the key pair. + description: Describes a key pair. + CreateLaunchTemplateResult: + type: object + example: + LaunchTemplate: + CreateTime: '2017-11-27T09:13:24.000Z' + CreatedBy: 'arn:aws:iam::123456789012:root' + DefaultVersionNumber: 1 + LatestVersionNumber: 1 + LaunchTemplateId: lt-01238c059e3466abc + LaunchTemplateName: my-template + properties: + launchTemplate: + allOf: + - $ref: '#/components/schemas/LaunchTemplate' + - description: Information about the launch template. + warning: + allOf: + - $ref: '#/components/schemas/ValidationWarning' + - description: 'If the launch template contains parameters or parameter combinations that are not valid, an error code and an error message are returned for each issue that''s found.' + LaunchTemplateIamInstanceProfileSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the instance profile. + description: An IAM instance profile. + LaunchTemplateBlockDeviceMappingRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateBlockDeviceMappingRequest' + - xml: + name: BlockDeviceMapping + LaunchTemplateTagSpecificationRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateTagSpecificationRequest' + - xml: + name: LaunchTemplateTagSpecificationRequest + ElasticGpuSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecification' + - xml: + name: ElasticGpuSpecification + LaunchTemplateElasticInferenceAcceleratorList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAccelerator' + - xml: + name: item + SecurityGroupIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: SecurityGroupId + LaunchTemplateCapacityReservationSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CapacityReservationTarget' + - description: Information about the target Capacity Reservation or Capacity Reservation group. + description: 'Describes an instance''s Capacity Reservation targeting option. You can specify only one option at a time. Use the CapacityReservationPreference parameter to configure the instance to run in On-Demand capacity or to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone). Use the CapacityReservationTarget parameter to explicitly target a specific Capacity Reservation or a Capacity Reservation group.' + LaunchTemplateInstanceMaintenanceOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateAutoRecoveryState' + - description: 'Disables the automatic recovery behavior of your instance or sets it to default. For more information, see Simplified automatic recovery.' + description: The maintenance options of your instance. + CreateLaunchTemplateVersionResult: + type: object + example: + LaunchTemplateVersion: + CreateTime: '2017-12-01T13:35:46.000Z' + CreatedBy: 'arn:aws:iam::123456789012:root' + DefaultVersion: false + LaunchTemplateData: + ImageId: ami-c998b6b2 + InstanceType: t2.micro + NetworkInterfaces: + - AssociatePublicIpAddress: true + DeviceIndex: 0 + Ipv6Addresses: + - Ipv6Address: '2001:db8:1234:1a00::123' + SubnetId: subnet-7b16de0c + LaunchTemplateId: lt-0abcd290751193123 + LaunchTemplateName: my-template + VersionDescription: WebVersion2 + VersionNumber: 2 + properties: + launchTemplateVersion: + allOf: + - $ref: '#/components/schemas/LaunchTemplateVersion' + - description: Information about the launch template version. + warning: + allOf: + - $ref: '#/components/schemas/ValidationWarning' + - description: 'If the new version of the launch template contains parameters or parameter combinations that are not valid, an error code and an error message are returned for each issue that''s found.' + CreateLocalGatewayRouteResult: + type: object + properties: + route: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoute' + - description: Information about the route. + CreateLocalGatewayRouteTableVpcAssociationResult: + type: object + properties: + localGatewayRouteTableVpcAssociation: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociation' + - description: Information about the association. + CreateManagedPrefixListResult: + type: object + properties: + prefixList: + allOf: + - $ref: '#/components/schemas/ManagedPrefixList' + - description: Information about the prefix list. + AddPrefixListEntry: + type: object + required: + - Cidr + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A description for the entry.

Constraints: Up to 255 characters in length.

' + description: An entry for a prefix list. + CreateNatGatewayResult: + type: object + example: + NatGateway: + CreateTime: '2015-12-17T12:45:26.732Z' + NatGatewayAddresses: + - AllocationId: eipalloc-37fc1a52 + NatGatewayId: nat-08d48af2a8e83edfd + State: pending + SubnetId: subnet-1a2b3c4d + VpcId: vpc-1122aabb + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier to ensure the idempotency of the request. Only returned if a client token was provided in the request.' + natGateway: + allOf: + - $ref: '#/components/schemas/NatGateway' + - description: Information about the NAT gateway. + CreateNetworkAclResult: + type: object + example: + NetworkAcl: + Associations: [] + Entries: + - CidrBlock: 0.0.0.0/0 + Egress: true + Protocol: '-1' + RuleAction: deny + RuleNumber: 32767 + - CidrBlock: 0.0.0.0/0 + Egress: false + Protocol: '-1' + RuleAction: deny + RuleNumber: 32767 + IsDefault: false + NetworkAclId: acl-5fb85d36 + Tags: [] + VpcId: vpc-a01106c2 + properties: + networkAcl: + allOf: + - $ref: '#/components/schemas/NetworkAcl' + - description: Information about the network ACL. + Integer: + type: integer + CreateNetworkInsightsAccessScopeResult: + type: object + properties: + networkInsightsAccessScope: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScope' + - description: The Network Access Scope. + networkInsightsAccessScopeContent: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeContent' + - description: The Network Access Scope content. + AccessScopePathRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/PathStatementRequest' + - description: The destination. + ThroughResource: + allOf: + - $ref: '#/components/schemas/ThroughResourcesStatementRequestList' + - description: The through resources. + description: Describes a path. + CreateNetworkInsightsPathResult: + type: object + properties: + networkInsightsPath: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPath' + - description: Information about the path. + CreateNetworkInterfaceResult: + type: object + example: + NetworkInterface: + AvailabilityZone: us-east-1d + Description: my network interface + Groups: + - GroupId: sg-903004f8 + GroupName: default + MacAddress: '02:1a:80:41:52:9c' + NetworkInterfaceId: eni-e5aa89a3 + OwnerId: '123456789012' + PrivateIpAddress: 10.0.2.17 + PrivateIpAddresses: + - Primary: true + PrivateIpAddress: 10.0.2.17 + RequesterManaged: false + SourceDestCheck: true + Status: pending + SubnetId: subnet-9d4a7b6c + TagSet: [] + VpcId: vpc-a01106c2 + properties: + networkInterface: + allOf: + - $ref: '#/components/schemas/NetworkInterface' + - description: Information about the network interface. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + description: Contains the output of CreateNetworkInterface. + InstanceIpv6Address: + type: object + properties: + ipv6Address: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 address. + description: Describes an IPv6 address. + PrivateIpAddressSpecification: + type: object + properties: + primary: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the private IPv4 address is the primary private IPv4 address. Only one IPv4 address can be designated as primary. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IPv4 addresses. + description: Describes a secondary private IPv4 address for a network interface. + Ipv4PrefixSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 prefix. For information, see Assigning prefixes to Amazon EC2 network interfaces in the Amazon Elastic Compute Cloud User Guide.' + description: Describes the IPv4 prefix option for a network interface. + Ipv6PrefixSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 prefix. + description: Describes the IPv4 prefix option for a network interface. + CreateNetworkInterfacePermissionResult: + type: object + properties: + interfacePermission: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePermission' + - description: Information about the permission for the network interface. + description: Contains the output of CreateNetworkInterfacePermission. + CreatePlacementGroupResult: + type: object + example: {} + properties: + placementGroup: + $ref: '#/components/schemas/PlacementGroup' + CreatePublicIpv4PoolResult: + type: object + properties: + poolId: + allOf: + - $ref: '#/components/schemas/Ipv4PoolEc2Id' + - description: The ID of the public IPv4 pool. + CreateReplaceRootVolumeTaskResult: + type: object + properties: + replaceRootVolumeTask: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTask' + - description: Information about the root volume replacement task. + CreateReservedInstancesListingResult: + type: object + properties: + reservedInstancesListingsSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesListingList' + - description: Information about the Standard Reserved Instance listing. + description: Contains the output of CreateReservedInstancesListing. + PriceScheduleSpecification: + type: object + properties: + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency for transacting the Reserved Instance resale. At this time, the only supported currency is USD.' + price: + allOf: + - $ref: '#/components/schemas/Double' + - description: The fixed price for the term. + term: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The number of months remaining in the reservation. For example, 2 is the second to the last month before the capacity reservation expires.' + description: Describes the price for a Reserved Instance. + CreateRestoreImageTaskResult: + type: object + properties: + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The AMI ID. + CreateRouteResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + CreateRouteTableResult: + type: object + example: + RouteTable: + Associations: [] + PropagatingVgws: [] + RouteTableId: rtb-22574640 + Routes: + - DestinationCidrBlock: 10.0.0.0/16 + GatewayId: local + State: active + Tags: [] + VpcId: vpc-a01106c2 + properties: + routeTable: + allOf: + - $ref: '#/components/schemas/RouteTable' + - description: Information about the route table. + CreateSecurityGroupResult: + type: object + example: + GroupId: sg-903004f8 + properties: + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the security group. + Snapshot: + type: object + example: + Description: This is my root volume snapshot. + OwnerId: 012345678910 + SnapshotId: snap-066877671789bd71b + StartTime: '2014-02-28T21:06:01.000Z' + State: pending + Tags: [] + VolumeId: vol-1234567890abcdef0 + VolumeSize: 8 + properties: + dataEncryptionKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The data encryption key identifier for the snapshot. This value is a unique identifier that corresponds to the data encryption key that was used to encrypt the original volume or snapshot copy. Because data encryption keys are inherited by volumes created from snapshots, and vice versa, if snapshots share the same data encryption key identifier, then they belong to the same volume/snapshot lineage. This parameter is only returned by DescribeSnapshots.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the snapshot. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the snapshot is encrypted. + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Key Management Service (KMS) KMS key that was used to protect the volume encryption key for the parent volume. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the EBS snapshot. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The progress of the snapshot, as a percentage.' + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. Each snapshot receives a unique identifier when it is created. + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time stamp when the snapshot was initiated. + status: + allOf: + - $ref: '#/components/schemas/SnapshotState' + - description: The snapshot state. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Encrypted Amazon EBS snapshots are copied asynchronously. If a snapshot copy operation fails (for example, if the proper Key Management Service (KMS) permissions are not obtained) this field displays error state details to help you diagnose why the error occurred. This parameter is only returned by DescribeSnapshots.' + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume that was used to create the snapshot. Snapshots created by the CopySnapshot action have an arbitrary volume ID that should not be used for any purpose. + volumeSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The size of the volume, in GiB.' + ownerAlias: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Amazon Web Services owner alias, from an Amazon-maintained list (amazon). This is not the user-configured Amazon Web Services account alias set using the IAM console.' + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the Outpost on which the snapshot is stored. For more information, see Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.' + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the snapshot. + storageTier: + allOf: + - $ref: '#/components/schemas/StorageTier' + - description: The storage tier in which the snapshot is stored. standard indicates that the snapshot is stored in the standard snapshot storage tier and that it is ready for use. archive indicates that the snapshot is currently archived and that it must be restored before it can be used. + restoreExpiryTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: Only for archived snapshots that are temporarily restored. Indicates the date and time when a temporarily restored snapshot will be automatically re-archived. + description: Describes a snapshot. + CreateSnapshotsResult: + type: object + properties: + snapshotSet: + allOf: + - $ref: '#/components/schemas/SnapshotSet' + - description: List of snapshots. + CreateSpotDatafeedSubscriptionResult: + type: object + example: + SpotDatafeedSubscription: + Bucket: my-s3-bucket + OwnerId: '123456789012' + Prefix: spotdata + State: Active + properties: + spotDatafeedSubscription: + allOf: + - $ref: '#/components/schemas/SpotDatafeedSubscription' + - description: The Spot Instance data feed subscription. + description: Contains the output of CreateSpotDatafeedSubscription. + CreateStoreImageTaskResult: + type: object + properties: + objectKey: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the stored AMI object in the S3 bucket. + S3ObjectTag: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The value of the tag.

Constraints: Tag values are case-sensitive and can be up to 256 Unicode characters in length.

' + description: 'The tags to apply to the AMI object that will be stored in the Amazon S3 bucket. For more information, see Categorizing your storage using tags in the Amazon Simple Storage Service User Guide.' + CreateSubnetResult: + type: object + example: + Subnet: + AvailabilityZone: us-west-2c + AvailableIpAddressCount: 251 + CidrBlock: 10.0.1.0/24 + State: pending + SubnetId: subnet-9d4a7b6c + VpcId: vpc-a01106c2 + properties: + subnet: + allOf: + - $ref: '#/components/schemas/Subnet' + - description: Information about the subnet. + CreateSubnetCidrReservationResult: + type: object + properties: + subnetCidrReservation: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservation' + - description: Information about the created subnet CIDR reservation. + TaggableResourceId: + type: string + Tag: + type: object + properties: + key: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The key of the tag.

Constraints: Tag keys are case-sensitive and accept a maximum of 127 Unicode characters. May not begin with aws:.

' + value: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The value of the tag.

Constraints: Tag values are case-sensitive and accept a maximum of 256 Unicode characters.

' + description: Describes a tag. + CreateTrafficMirrorFilterResult: + type: object + properties: + trafficMirrorFilter: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilter' + - description: Information about the Traffic Mirror filter. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + CreateTrafficMirrorFilterRuleResult: + type: object + properties: + trafficMirrorFilterRule: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterRule' + - description: The Traffic Mirror rule. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + CreateTrafficMirrorSessionResult: + type: object + properties: + trafficMirrorSession: + allOf: + - $ref: '#/components/schemas/TrafficMirrorSession' + - description: Information about the Traffic Mirror session. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + CreateTrafficMirrorTargetResult: + type: object + properties: + trafficMirrorTarget: + allOf: + - $ref: '#/components/schemas/TrafficMirrorTarget' + - description: Information about the Traffic Mirror target. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + CreateTransitGatewayResult: + type: object + properties: + transitGateway: + allOf: + - $ref: '#/components/schemas/TransitGateway' + - description: Information about the transit gateway. + TransitGatewayCidrBlockStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + CreateTransitGatewayConnectResult: + type: object + properties: + transitGatewayConnect: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnect' + - description: Information about the Connect attachment. + ProtocolValue: + type: string + enum: + - gre + CreateTransitGatewayConnectPeerResult: + type: object + properties: + transitGatewayConnectPeer: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeer' + - description: Information about the Connect peer. + Long: + type: integer + CreateTransitGatewayMulticastDomainResult: + type: object + properties: + transitGatewayMulticastDomain: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomain' + - description: Information about the transit gateway multicast domain. + AutoAcceptSharedAssociationsValue: + type: string + enum: + - enable + - disable + CreateTransitGatewayPeeringAttachmentResult: + type: object + properties: + transitGatewayPeeringAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayPeeringAttachment' + - description: The transit gateway peering attachment. + CreateTransitGatewayPrefixListReferenceResult: + type: object + properties: + transitGatewayPrefixListReference: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListReference' + - description: Information about the prefix list reference. + CreateTransitGatewayRouteResult: + type: object + properties: + route: + allOf: + - $ref: '#/components/schemas/TransitGatewayRoute' + - description: Information about the route. + CreateTransitGatewayRouteTableResult: + type: object + properties: + transitGatewayRouteTable: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTable' + - description: Information about the transit gateway route table. + CreateTransitGatewayVpcAttachmentResult: + type: object + properties: + transitGatewayVpcAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachment' + - description: Information about the VPC attachment. + ApplianceModeSupportValue: + type: string + enum: + - enable + - disable + Volume: + type: object + example: + Attachments: [] + AvailabilityZone: us-east-1a + CreateTime: '2016-08-29T18:52:32.724Z' + Iops: 1000 + Size: 500 + SnapshotId: snap-066877671789bd71b + State: creating + Tags: [] + VolumeId: vol-1234567890abcdef0 + VolumeType: io1 + properties: + attachmentSet: + allOf: + - $ref: '#/components/schemas/VolumeAttachmentList' + - description: Information about the volume attachments. + AvailabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone for the volume. + - xml: + name: 'availabilityZone' + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time stamp when volume creation was initiated. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the volume is encrypted. + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Key Management Service (KMS) KMS key that was used to protect the volume encryption key for the volume. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + size: + type: integer + description: 'The size of the volume, in GiBs.' + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The snapshot from which the volume was created, if applicable.' + status: + allOf: + - $ref: '#/components/schemas/VolumeState' + - description: The volume state. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume. + iops: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of I/O operations per second (IOPS). For gp3, io1, and io2 volumes, this represents the number of IOPS that are provisioned for the volume. For gp2 volumes, this represents the baseline performance of the volume and the rate at which the volume accumulates I/O credits for bursting.' + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the volume. + volumeType: + allOf: + - $ref: '#/components/schemas/VolumeType' + - description: The volume type. + fastRestored: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the volume was created using fast snapshot restore. + multiAttachEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether Amazon EBS Multi-Attach is enabled. + throughput: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The throughput that the volume supports, in MiB/s.' + description: Describes a volume. + CreateVpcResult: + type: object + example: + Vpc: + CidrBlock: 10.0.0.0/16 + DhcpOptionsId: dopt-7a8b9c2d + InstanceTenancy: default + State: pending + VpcId: vpc-a01106c2 + properties: + vpc: + allOf: + - $ref: '#/components/schemas/Vpc' + - description: Information about the VPC. + CreateVpcEndpointResult: + type: object + properties: + vpcEndpoint: + allOf: + - $ref: '#/components/schemas/VpcEndpoint' + - description: Information about the endpoint. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request.' + description: Contains the output of CreateVpcEndpoint. + RouteTableId: + type: string + DnsRecordIpType: + type: string + enum: + - ipv4 + - dualstack + - ipv6 + - service-defined + CreateVpcEndpointConnectionNotificationResult: + type: object + properties: + connectionNotification: + allOf: + - $ref: '#/components/schemas/ConnectionNotification' + - description: Information about the notification. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request.' + CreateVpcEndpointServiceConfigurationResult: + type: object + properties: + serviceConfiguration: + allOf: + - $ref: '#/components/schemas/ServiceConfiguration' + - description: Information about the service configuration. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request.' + CreateVpcPeeringConnectionResult: + type: object + properties: + vpcPeeringConnection: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnection' + - description: Information about the VPC peering connection. + CreateVpnConnectionResult: + type: object + properties: + vpnConnection: + allOf: + - $ref: '#/components/schemas/VpnConnection' + - description: Information about the VPN connection. + description: Contains the output of CreateVpnConnection. + CreateVpnGatewayResult: + type: object + properties: + vpnGateway: + allOf: + - $ref: '#/components/schemas/VpnGateway' + - description: Information about the virtual private gateway. + description: Contains the output of CreateVpnGateway. + DeleteCarrierGatewayResult: + type: object + properties: + carrierGateway: + allOf: + - $ref: '#/components/schemas/CarrierGateway' + - description: Information about the carrier gateway. + DeleteClientVpnEndpointResult: + type: object + properties: + status: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointStatus' + - description: The current state of the Client VPN endpoint. + DeleteClientVpnRouteResult: + type: object + properties: + status: + allOf: + - $ref: '#/components/schemas/ClientVpnRouteStatus' + - description: The current state of the route. + DeleteEgressOnlyInternetGatewayResult: + type: object + properties: + returnCode: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DeleteFleetsResult: + type: object + properties: + successfulFleetDeletionSet: + allOf: + - $ref: '#/components/schemas/DeleteFleetSuccessSet' + - description: Information about the EC2 Fleets that are successfully deleted. + unsuccessfulFleetDeletionSet: + allOf: + - $ref: '#/components/schemas/DeleteFleetErrorSet' + - description: Information about the EC2 Fleets that are not successfully deleted. + FleetId: + type: string + DeleteFlowLogsResult: + type: object + properties: + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: Information about the flow logs that could not be deleted successfully. + VpcFlowLogId: + type: string + DeleteFpgaImageResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Is true if the request succeeds, and an error otherwise.' + DeleteInstanceEventWindowResult: + type: object + properties: + instanceEventWindowState: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowStateChange' + - description: The state of the event window. + DeleteIpamResult: + type: object + properties: + ipam: + allOf: + - $ref: '#/components/schemas/Ipam' + - description: Information about the results of the deletion. + DeleteIpamPoolResult: + type: object + properties: + ipamPool: + allOf: + - $ref: '#/components/schemas/IpamPool' + - description: Information about the results of the deletion. + DeleteIpamScopeResult: + type: object + properties: + ipamScope: + allOf: + - $ref: '#/components/schemas/IpamScope' + - description: Information about the results of the deletion. + DeleteLaunchTemplateResult: + type: object + example: + LaunchTemplate: + CreateTime: '2017-11-23T16:46:25.000Z' + CreatedBy: 'arn:aws:iam::123456789012:root' + DefaultVersionNumber: 2 + LatestVersionNumber: 2 + LaunchTemplateId: lt-0abcd290751193123 + LaunchTemplateName: my-template + properties: + launchTemplate: + allOf: + - $ref: '#/components/schemas/LaunchTemplate' + - description: Information about the launch template. + DeleteLaunchTemplateVersionsResult: + type: object + example: + SuccessfullyDeletedLaunchTemplateVersions: + - LaunchTemplateId: lt-0abcd290751193123 + LaunchTemplateName: my-template + VersionNumber: 1 + UnsuccessfullyDeletedLaunchTemplateVersions: [] + properties: + successfullyDeletedLaunchTemplateVersionSet: + allOf: + - $ref: '#/components/schemas/DeleteLaunchTemplateVersionsResponseSuccessSet' + - description: Information about the launch template versions that were successfully deleted. + unsuccessfullyDeletedLaunchTemplateVersionSet: + allOf: + - $ref: '#/components/schemas/DeleteLaunchTemplateVersionsResponseErrorSet' + - description: Information about the launch template versions that could not be deleted. + DeleteLocalGatewayRouteResult: + type: object + properties: + route: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoute' + - description: Information about the route. + DeleteLocalGatewayRouteTableVpcAssociationResult: + type: object + properties: + localGatewayRouteTableVpcAssociation: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociation' + - description: Information about the association. + DeleteManagedPrefixListResult: + type: object + properties: + prefixList: + allOf: + - $ref: '#/components/schemas/ManagedPrefixList' + - description: Information about the prefix list. + DeleteNatGatewayResult: + type: object + example: + NatGatewayId: nat-04ae55e711cec5680 + properties: + natGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the NAT gateway. + DeleteNetworkInsightsAccessScopeResult: + type: object + properties: + networkInsightsAccessScopeId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - description: The ID of the Network Access Scope. + DeleteNetworkInsightsAccessScopeAnalysisResult: + type: object + properties: + networkInsightsAccessScopeAnalysisId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisId' + - description: The ID of the Network Access Scope analysis. + DeleteNetworkInsightsAnalysisResult: + type: object + properties: + networkInsightsAnalysisId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysisId' + - description: The ID of the network insights analysis. + DeleteNetworkInsightsPathResult: + type: object + properties: + networkInsightsPathId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - description: The ID of the path. + DeleteNetworkInterfacePermissionResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds, otherwise returns an error.' + description: Contains the output for DeleteNetworkInterfacePermission. + DeletePublicIpv4PoolResult: + type: object + properties: + returnValue: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Information about the result of deleting the public IPv4 pool. + DeleteQueuedReservedInstancesResult: + type: object + properties: + successfulQueuedPurchaseDeletionSet: + allOf: + - $ref: '#/components/schemas/SuccessfulQueuedPurchaseDeletionSet' + - description: Information about the queued purchases that were successfully deleted. + failedQueuedPurchaseDeletionSet: + allOf: + - $ref: '#/components/schemas/FailedQueuedPurchaseDeletionSet' + - description: Information about the queued purchases that could not be deleted. + DeleteSubnetCidrReservationResult: + type: object + properties: + deletedSubnetCidrReservation: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservation' + - description: Information about the deleted subnet CIDR reservation. + DeleteTrafficMirrorFilterResult: + type: object + properties: + trafficMirrorFilterId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror filter. + DeleteTrafficMirrorFilterRuleResult: + type: object + properties: + trafficMirrorFilterRuleId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the deleted Traffic Mirror rule. + DeleteTrafficMirrorSessionResult: + type: object + properties: + trafficMirrorSessionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the deleted Traffic Mirror session. + DeleteTrafficMirrorTargetResult: + type: object + properties: + trafficMirrorTargetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the deleted Traffic Mirror target. + DeleteTransitGatewayResult: + type: object + properties: + transitGateway: + allOf: + - $ref: '#/components/schemas/TransitGateway' + - description: Information about the deleted transit gateway. + DeleteTransitGatewayConnectResult: + type: object + properties: + transitGatewayConnect: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnect' + - description: Information about the deleted Connect attachment. + DeleteTransitGatewayConnectPeerResult: + type: object + properties: + transitGatewayConnectPeer: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeer' + - description: Information about the deleted Connect peer. + DeleteTransitGatewayMulticastDomainResult: + type: object + properties: + transitGatewayMulticastDomain: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomain' + - description: Information about the deleted transit gateway multicast domain. + DeleteTransitGatewayPeeringAttachmentResult: + type: object + properties: + transitGatewayPeeringAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayPeeringAttachment' + - description: The transit gateway peering attachment. + DeleteTransitGatewayPrefixListReferenceResult: + type: object + properties: + transitGatewayPrefixListReference: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListReference' + - description: Information about the deleted prefix list reference. + DeleteTransitGatewayRouteResult: + type: object + properties: + route: + allOf: + - $ref: '#/components/schemas/TransitGatewayRoute' + - description: Information about the route. + DeleteTransitGatewayRouteTableResult: + type: object + properties: + transitGatewayRouteTable: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTable' + - description: Information about the deleted transit gateway route table. + DeleteTransitGatewayVpcAttachmentResult: + type: object + properties: + transitGatewayVpcAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachment' + - description: Information about the deleted VPC attachment. + DeleteVpcEndpointConnectionNotificationsResult: + type: object + properties: + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: Information about the notifications that could not be deleted successfully. + ConnectionNotificationId: + type: string + DeleteVpcEndpointServiceConfigurationsResult: + type: object + properties: + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: 'Information about the service configurations that were not deleted, if applicable.' + VpcEndpointServiceId: + type: string + DeleteVpcEndpointsResult: + type: object + properties: + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: Information about the VPC endpoints that were not successfully deleted. + description: Contains the output of DeleteVpcEndpoints. + DeleteVpcPeeringConnectionResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DeprovisionByoipCidrResult: + type: object + properties: + byoipCidr: + allOf: + - $ref: '#/components/schemas/ByoipCidr' + - description: Information about the address range. + DeprovisionIpamPoolCidrResult: + type: object + properties: + ipamPoolCidr: + allOf: + - $ref: '#/components/schemas/IpamPoolCidr' + - description: The deprovisioned pool CIDR. + DeprovisionPublicIpv4PoolCidrResult: + type: object + properties: + poolId: + allOf: + - $ref: '#/components/schemas/Ipv4PoolEc2Id' + - description: The ID of the pool that you deprovisioned the CIDR from. + deprovisionedAddressSet: + allOf: + - $ref: '#/components/schemas/DeprovisionedAddressSet' + - description: The deprovisioned CIDRs. + DeregisterInstanceEventNotificationAttributesResult: + type: object + properties: + instanceTagAttribute: + allOf: + - $ref: '#/components/schemas/InstanceTagNotificationAttribute' + - description: The resulting set of tag keys. + InstanceTagKeySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + DeregisterTransitGatewayMulticastGroupMembersResult: + type: object + properties: + deregisteredMulticastGroupMembers: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDeregisteredGroupMembers' + - description: Information about the deregistered members. + NetworkInterfaceId: + type: string + DeregisterTransitGatewayMulticastGroupSourcesResult: + type: object + properties: + deregisteredMulticastGroupSources: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDeregisteredGroupSources' + - description: Information about the deregistered group sources. + DescribeAccountAttributesResult: + type: object + example: + AccountAttributes: + - AttributeName: supported-platforms + AttributeValues: + - AttributeValue: EC2 + - AttributeValue: VPC + - AttributeName: vpc-max-security-groups-per-interface + AttributeValues: + - AttributeValue: '5' + - AttributeName: max-elastic-ips + AttributeValues: + - AttributeValue: '5' + - AttributeName: max-instances + AttributeValues: + - AttributeValue: '20' + - AttributeName: vpc-max-elastic-ips + AttributeValues: + - AttributeValue: '5' + - AttributeName: default-vpc + AttributeValues: + - AttributeValue: none + properties: + accountAttributeSet: + allOf: + - $ref: '#/components/schemas/AccountAttributeList' + - description: Information about the account attributes. + AccountAttributeName: + type: string + enum: + - supported-platforms + - default-vpc + DescribeAddressesResult: + type: object + example: + Addresses: + - Domain: standard + InstanceId: i-1234567890abcdef0 + PublicIp: 198.51.100.0 + properties: + addressesSet: + allOf: + - $ref: '#/components/schemas/AddressList' + - description: Information about the Elastic IP addresses. + Filter: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the filter. Filter names are case-sensitive. + Value: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: 'The filter values. Filter values are case-sensitive. If you specify multiple values for a filter, the values are joined with an OR, and the request returns all results that match any of the specified values.' + description: '

A filter name and value pair that is used to return a more specific list of results from a describe operation. Filters can be used to match a set of resources by specific criteria, such as tags, attributes, or IDs.

If you specify multiple filters, the filters are joined with an AND, and the request returns only results that match all of the specified filters.

' + AllocationId: + type: string + DescribeAddressesAttributeResult: + type: object + properties: + addressSet: + allOf: + - $ref: '#/components/schemas/AddressSet' + - description: Information about the IP addresses. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeAggregateIdFormatResult: + type: object + properties: + useLongIdsAggregated: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether all resource types in the Region are configured to use longer IDs. This value is only true if all users are configured to use longer IDs for all resources types in the Region. + statusSet: + allOf: + - $ref: '#/components/schemas/IdFormatList' + - description: Information about each resource's ID format. + DescribeAvailabilityZonesResult: + type: object + example: + AvailabilityZones: + - Messages: [] + RegionName: us-east-1 + State: available + ZoneName: us-east-1b + - Messages: [] + RegionName: us-east-1 + State: available + ZoneName: us-east-1c + - Messages: [] + RegionName: us-east-1 + State: available + ZoneName: us-east-1d + - Messages: [] + RegionName: us-east-1 + State: available + ZoneName: us-east-1e + properties: + availabilityZoneInfo: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneList' + - description: 'Information about the Availability Zones, Local Zones, and Wavelength Zones.' + DescribeBundleTasksResult: + type: object + properties: + bundleInstanceTasksSet: + allOf: + - $ref: '#/components/schemas/BundleTaskList' + - description: Information about the bundle tasks. + BundleId: + type: string + DescribeByoipCidrsResult: + type: object + properties: + byoipCidrSet: + allOf: + - $ref: '#/components/schemas/ByoipCidrSet' + - description: Information about your address ranges. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeCapacityReservationFleetsResult: + type: object + properties: + capacityReservationFleetSet: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetSet' + - description: Information about the Capacity Reservation Fleets. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeCapacityReservationsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + capacityReservationSet: + allOf: + - $ref: '#/components/schemas/CapacityReservationSet' + - description: Information about the Capacity Reservations. + CapacityReservationId: + type: string + DescribeCarrierGatewaysResult: + type: object + properties: + carrierGatewaySet: + allOf: + - $ref: '#/components/schemas/CarrierGatewaySet' + - description: Information about the carrier gateway. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + CarrierGatewayId: + type: string + DescribeClassicLinkInstancesResult: + type: object + properties: + instancesSet: + allOf: + - $ref: '#/components/schemas/ClassicLinkInstanceList' + - description: Information about one or more linked EC2-Classic instances. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + InstanceId: + type: string + DescribeClientVpnAuthorizationRulesResult: + type: object + properties: + authorizationRule: + allOf: + - $ref: '#/components/schemas/AuthorizationRuleSet' + - description: Information about the authorization rules. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeClientVpnConnectionsResult: + type: object + properties: + connections: + allOf: + - $ref: '#/components/schemas/ClientVpnConnectionSet' + - description: Information about the active and terminated client connections. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeClientVpnEndpointsResult: + type: object + properties: + clientVpnEndpoint: + allOf: + - $ref: '#/components/schemas/EndpointSet' + - description: Information about the Client VPN endpoints. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ClientVpnEndpointId: + type: string + DescribeClientVpnRoutesResult: + type: object + properties: + routes: + allOf: + - $ref: '#/components/schemas/ClientVpnRouteSet' + - description: Information about the Client VPN endpoint routes. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeClientVpnTargetNetworksResult: + type: object + properties: + clientVpnTargetNetworks: + allOf: + - $ref: '#/components/schemas/TargetNetworkSet' + - description: Information about the associated target networks. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeCoipPoolsResult: + type: object + properties: + coipPoolSet: + allOf: + - $ref: '#/components/schemas/CoipPoolSet' + - description: Information about the address pools. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + Ipv4PoolCoipId: + type: string + DescribeConversionTasksResult: + type: object + properties: + conversionTasks: + allOf: + - $ref: '#/components/schemas/DescribeConversionTaskList' + - description: Information about the conversion tasks. + ConversionTaskId: + type: string + DescribeCustomerGatewaysResult: + type: object + example: + CustomerGateways: + - BgpAsn: '65534' + CustomerGatewayId: cgw-0e11f167 + IpAddress: 12.1.2.3 + State: available + Type: ipsec.1 + properties: + customerGatewaySet: + allOf: + - $ref: '#/components/schemas/CustomerGatewayList' + - description: Information about one or more customer gateways. + description: Contains the output of DescribeCustomerGateways. + CustomerGatewayId: + type: string + DescribeDhcpOptionsResult: + type: object + example: + DhcpOptions: + - DhcpConfigurations: + - Key: domain-name-servers + Values: + - Value: 10.2.5.2 + - Value: 10.2.5.1 + DhcpOptionsId: dopt-d9070ebb + properties: + dhcpOptionsSet: + allOf: + - $ref: '#/components/schemas/DhcpOptionsList' + - description: Information about one or more DHCP options sets. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DhcpOptionsId: + type: string + DescribeEgressOnlyInternetGatewaysResult: + type: object + properties: + egressOnlyInternetGatewaySet: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayList' + - description: Information about the egress-only internet gateways. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + EgressOnlyInternetGatewayId: + type: string + DescribeElasticGpusResult: + type: object + properties: + elasticGpuSet: + allOf: + - $ref: '#/components/schemas/ElasticGpuSet' + - description: Information about the Elastic Graphics accelerators. + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of items to return. If the total number of items available is more than the value specified in max-items then a Next-Token will be provided in the output that you can use to resume pagination. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ElasticGpuId: + type: string + DescribeExportImageTasksResult: + type: object + properties: + exportImageTaskSet: + allOf: + - $ref: '#/components/schemas/ExportImageTaskList' + - description: Information about the export image tasks. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to get the next page of results. This value is null when there are no more results to return. + ExportImageTaskId: + type: string + DescribeExportTasksResult: + type: object + properties: + exportTaskSet: + allOf: + - $ref: '#/components/schemas/ExportTaskList' + - description: Information about the export tasks. + ExportTaskId: + type: string + DescribeFastLaunchImagesResult: + type: object + properties: + fastLaunchImageSet: + allOf: + - $ref: '#/components/schemas/DescribeFastLaunchImagesSuccessSet' + - description: A collection of details about the fast-launch enabled Windows images that meet the requested criteria. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use for the next set of results. This value is null when there are no more results to return. + ImageId: + type: string + DescribeFastSnapshotRestoresResult: + type: object + properties: + fastSnapshotRestoreSet: + allOf: + - $ref: '#/components/schemas/DescribeFastSnapshotRestoreSuccessSet' + - description: Information about the state of fast snapshot restores. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeFleetHistoryResult: + type: object + properties: + historyRecordSet: + allOf: + - $ref: '#/components/schemas/HistoryRecordSet' + - description: Information about the events in the history of the EC2 Fleet. + lastEvaluatedTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: '

The last date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). All records up to this time were retrieved.

If nextToken indicates that there are more results, this value is not present.

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + fleetId: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC Fleet. + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The start date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + DescribeFleetInstancesResult: + type: object + properties: + activeInstanceSet: + allOf: + - $ref: '#/components/schemas/ActiveInstanceSet' + - description: The running instances. This list is refreshed periodically and might be out of date. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + fleetId: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC2 Fleet. + DescribeFleetsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + fleetSet: + allOf: + - $ref: '#/components/schemas/FleetSet' + - description: Information about the EC2 Fleets. + DescribeFlowLogsResult: + type: object + properties: + flowLogSet: + allOf: + - $ref: '#/components/schemas/FlowLogSet' + - description: Information about the flow logs. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeFpgaImageAttributeResult: + type: object + properties: + fpgaImageAttribute: + allOf: + - $ref: '#/components/schemas/FpgaImageAttribute' + - description: Information about the attribute. + DescribeFpgaImagesResult: + type: object + properties: + fpgaImageSet: + allOf: + - $ref: '#/components/schemas/FpgaImageList' + - description: Information about the FPGA images. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + FpgaImageId: + type: string + DescribeHostReservationOfferingsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + offeringSet: + allOf: + - $ref: '#/components/schemas/HostOfferingSet' + - description: Information about the offerings. + DescribeHostReservationsResult: + type: object + properties: + hostReservationSet: + allOf: + - $ref: '#/components/schemas/HostReservationSet' + - description: Details about the reservation's configuration. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + HostReservationId: + type: string + DescribeHostsResult: + type: object + properties: + hostSet: + allOf: + - $ref: '#/components/schemas/HostList' + - description: Information about the Dedicated Hosts. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DedicatedHostId: + type: string + DescribeIamInstanceProfileAssociationsResult: + type: object + example: + IamInstanceProfileAssociations: + - AssociationId: iip-assoc-0db249b1f25fa24b8 + IamInstanceProfile: + Arn: 'arn:aws:iam::123456789012:instance-profile/admin-role' + Id: AIPAJVQN4F5WVLGCJDRGM + InstanceId: i-09eb09efa73ec1dee + State: associated + properties: + iamInstanceProfileAssociationSet: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociationSet' + - description: Information about the IAM instance profile associations. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + IamInstanceProfileAssociationId: + type: string + DescribeIdFormatResult: + type: object + properties: + statusSet: + allOf: + - $ref: '#/components/schemas/IdFormatList' + - description: Information about the ID format for the resource. + DescribeIdentityIdFormatResult: + type: object + properties: + statusSet: + allOf: + - $ref: '#/components/schemas/IdFormatList' + - description: Information about the ID format for the resources. + ImageAttribute: + type: object + example: + ImageId: ami-5731123e + LaunchPermissions: + - UserId: '123456789012' + properties: + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingList' + - description: The block device mapping entries. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI. + launchPermission: + allOf: + - $ref: '#/components/schemas/LaunchPermissionList' + - description: The launch permissions. + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: The product codes. + description: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: A description for the AMI. + kernel: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The kernel ID. + ramdisk: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The RAM disk ID. + sriovNetSupport: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: Indicates whether enhanced networking with the Intel 82599 Virtual Function interface is enabled. + bootMode: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The boot mode. + tpmSupport: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: 'If the image is configured for NitroTPM support, the value is v2.0.' + uefiData: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: 'Base64 representation of the non-volatile UEFI variable store. To retrieve the UEFI data, use the GetInstanceUefiData command. You can inspect and modify the UEFI data by using the python-uefivars tool on GitHub. For more information, see UEFI Secure Boot in the Amazon Elastic Compute Cloud User Guide.' + lastLaunchedTime: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: '

The date and time, in ISO 8601 date-time format, when the AMI was last used to launch an EC2 instance. When the AMI is used, there is a 24-hour delay before that usage is reported.

lastLaunchedTime data is available starting April 2017.

' + description: Describes an image attribute. + DescribeImagesResult: + type: object + example: + Images: + - Architecture: x86_64 + BlockDeviceMappings: + - DeviceName: /dev/sda1 + Ebs: + DeleteOnTermination: true + SnapshotId: snap-1234567890abcdef0 + VolumeSize: 8 + VolumeType: standard + Description: An AMI for my server + Hypervisor: xen + ImageId: ami-5731123e + ImageLocation: 123456789012/My server + ImageType: machine + KernelId: aki-88aa75e1 + Name: My server + OwnerId: '123456789012' + Public: false + RootDeviceName: /dev/sda1 + RootDeviceType: ebs + State: available + VirtualizationType: paravirtual + properties: + imagesSet: + allOf: + - $ref: '#/components/schemas/ImageList' + - description: Information about the images. + DescribeImportImageTasksResult: + type: object + properties: + importImageTaskSet: + allOf: + - $ref: '#/components/schemas/ImportImageTaskList' + - description: A list of zero or more import image tasks that are currently active or were completed or canceled in the previous 7 days. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to get the next page of results. This value is null when there are no more results to return. + ImportImageTaskId: + type: string + DescribeImportSnapshotTasksResult: + type: object + properties: + importSnapshotTaskSet: + allOf: + - $ref: '#/components/schemas/ImportSnapshotTaskList' + - description: A list of zero or more import snapshot tasks that are currently active or were completed or canceled in the previous 7 days. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to get the next page of results. This value is null when there are no more results to return. + ImportSnapshotTaskId: + type: string + InstanceAttribute: + type: object + example: + BlockDeviceMappings: + - DeviceName: /dev/sda1 + Ebs: + AttachTime: '2013-05-17T22:42:34.000Z' + DeleteOnTermination: true + Status: attached + VolumeId: vol-049df61146c4d7901 + - DeviceName: /dev/sdf + Ebs: + AttachTime: '2013-09-10T23:07:00.000Z' + DeleteOnTermination: false + Status: attached + VolumeId: vol-049df61146c4d7901 + InstanceId: i-1234567890abcdef0 + properties: + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: The security groups associated with the instance. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/InstanceBlockDeviceMappingList' + - description: The block device mapping of the instance. + disableApiTermination: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'If the value is true, you can''t terminate the instance through the Amazon EC2 console, CLI, or API; otherwise, you can.' + enaSupport: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: Indicates whether enhanced networking with ENA is enabled. + enclaveOptions: + allOf: + - $ref: '#/components/schemas/EnclaveOptions' + - description: 'To enable the instance for Amazon Web Services Nitro Enclaves, set this parameter to true; otherwise, set it to false.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: Indicates whether the instance is optimized for Amazon EBS I/O. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + instanceInitiatedShutdownBehavior: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: Indicates whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown). + instanceType: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The instance type. + kernel: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The kernel ID. + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: A list of product codes. + ramdisk: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The RAM disk ID. + rootDeviceName: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: 'The device name of the root device volume (for example, /dev/sda1).' + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'Enable or disable source/destination checks, which ensure that the instance is either the source or the destination of any traffic that it receives. If the value is true, source/destination checks are enabled; otherwise, they are disabled. The default value is true. You must disable source/destination checks if the instance runs services such as network address translation, routing, or firewalls.' + sriovNetSupport: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: Indicates whether enhanced networking with the Intel 82599 Virtual Function interface is enabled. + userData: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The user data. + description: Describes an instance attribute. + DescribeInstanceCreditSpecificationsResult: + type: object + properties: + instanceCreditSpecificationSet: + allOf: + - $ref: '#/components/schemas/InstanceCreditSpecificationList' + - description: Information about the credit option for CPU usage of an instance. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeInstanceEventNotificationAttributesResult: + type: object + properties: + instanceTagAttribute: + allOf: + - $ref: '#/components/schemas/InstanceTagNotificationAttribute' + - description: Information about the registered tag keys. + DescribeInstanceEventWindowsResult: + type: object + properties: + instanceEventWindowSet: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowSet' + - description: Information about the event windows. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The token to use to retrieve the next page of results. This value is null when there are no more results to return. ' + InstanceEventWindowId: + type: string + DescribeInstanceStatusResult: + type: object + example: + InstanceStatuses: + - AvailabilityZone: us-east-1d + InstanceId: i-1234567890abcdef0 + InstanceState: + Code: 16 + Name: running + InstanceStatus: + Details: + - Name: reachability + Status: passed + Status: ok + SystemStatus: + Details: + - Name: reachability + Status: passed + Status: ok + properties: + instanceStatusSet: + allOf: + - $ref: '#/components/schemas/InstanceStatusList' + - description: Information about the status of the instances. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeInstanceTypeOfferingsResult: + type: object + properties: + instanceTypeOfferingSet: + allOf: + - $ref: '#/components/schemas/InstanceTypeOfferingsList' + - description: The instance types offered. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeInstanceTypesResult: + type: object + properties: + instanceTypeSet: + allOf: + - $ref: '#/components/schemas/InstanceTypeInfoList' + - description: 'The instance type. For more information, see Instance types in the Amazon EC2 User Guide.' + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + InstanceType: + type: string + enum: + - a1.medium + - a1.large + - a1.xlarge + - a1.2xlarge + - a1.4xlarge + - a1.metal + - c1.medium + - c1.xlarge + - c3.large + - c3.xlarge + - c3.2xlarge + - c3.4xlarge + - c3.8xlarge + - c4.large + - c4.xlarge + - c4.2xlarge + - c4.4xlarge + - c4.8xlarge + - c5.large + - c5.xlarge + - c5.2xlarge + - c5.4xlarge + - c5.9xlarge + - c5.12xlarge + - c5.18xlarge + - c5.24xlarge + - c5.metal + - c5a.large + - c5a.xlarge + - c5a.2xlarge + - c5a.4xlarge + - c5a.8xlarge + - c5a.12xlarge + - c5a.16xlarge + - c5a.24xlarge + - c5ad.large + - c5ad.xlarge + - c5ad.2xlarge + - c5ad.4xlarge + - c5ad.8xlarge + - c5ad.12xlarge + - c5ad.16xlarge + - c5ad.24xlarge + - c5d.large + - c5d.xlarge + - c5d.2xlarge + - c5d.4xlarge + - c5d.9xlarge + - c5d.12xlarge + - c5d.18xlarge + - c5d.24xlarge + - c5d.metal + - c5n.large + - c5n.xlarge + - c5n.2xlarge + - c5n.4xlarge + - c5n.9xlarge + - c5n.18xlarge + - c5n.metal + - c6g.medium + - c6g.large + - c6g.xlarge + - c6g.2xlarge + - c6g.4xlarge + - c6g.8xlarge + - c6g.12xlarge + - c6g.16xlarge + - c6g.metal + - c6gd.medium + - c6gd.large + - c6gd.xlarge + - c6gd.2xlarge + - c6gd.4xlarge + - c6gd.8xlarge + - c6gd.12xlarge + - c6gd.16xlarge + - c6gd.metal + - c6gn.medium + - c6gn.large + - c6gn.xlarge + - c6gn.2xlarge + - c6gn.4xlarge + - c6gn.8xlarge + - c6gn.12xlarge + - c6gn.16xlarge + - c6i.large + - c6i.xlarge + - c6i.2xlarge + - c6i.4xlarge + - c6i.8xlarge + - c6i.12xlarge + - c6i.16xlarge + - c6i.24xlarge + - c6i.32xlarge + - c6i.metal + - cc1.4xlarge + - cc2.8xlarge + - cg1.4xlarge + - cr1.8xlarge + - d2.xlarge + - d2.2xlarge + - d2.4xlarge + - d2.8xlarge + - d3.xlarge + - d3.2xlarge + - d3.4xlarge + - d3.8xlarge + - d3en.xlarge + - d3en.2xlarge + - d3en.4xlarge + - d3en.6xlarge + - d3en.8xlarge + - d3en.12xlarge + - dl1.24xlarge + - f1.2xlarge + - f1.4xlarge + - f1.16xlarge + - g2.2xlarge + - g2.8xlarge + - g3.4xlarge + - g3.8xlarge + - g3.16xlarge + - g3s.xlarge + - g4ad.xlarge + - g4ad.2xlarge + - g4ad.4xlarge + - g4ad.8xlarge + - g4ad.16xlarge + - g4dn.xlarge + - g4dn.2xlarge + - g4dn.4xlarge + - g4dn.8xlarge + - g4dn.12xlarge + - g4dn.16xlarge + - g4dn.metal + - g5.xlarge + - g5.2xlarge + - g5.4xlarge + - g5.8xlarge + - g5.12xlarge + - g5.16xlarge + - g5.24xlarge + - g5.48xlarge + - g5g.xlarge + - g5g.2xlarge + - g5g.4xlarge + - g5g.8xlarge + - g5g.16xlarge + - g5g.metal + - hi1.4xlarge + - hpc6a.48xlarge + - hs1.8xlarge + - h1.2xlarge + - h1.4xlarge + - h1.8xlarge + - h1.16xlarge + - i2.xlarge + - i2.2xlarge + - i2.4xlarge + - i2.8xlarge + - i3.large + - i3.xlarge + - i3.2xlarge + - i3.4xlarge + - i3.8xlarge + - i3.16xlarge + - i3.metal + - i3en.large + - i3en.xlarge + - i3en.2xlarge + - i3en.3xlarge + - i3en.6xlarge + - i3en.12xlarge + - i3en.24xlarge + - i3en.metal + - im4gn.large + - im4gn.xlarge + - im4gn.2xlarge + - im4gn.4xlarge + - im4gn.8xlarge + - im4gn.16xlarge + - inf1.xlarge + - inf1.2xlarge + - inf1.6xlarge + - inf1.24xlarge + - is4gen.medium + - is4gen.large + - is4gen.xlarge + - is4gen.2xlarge + - is4gen.4xlarge + - is4gen.8xlarge + - m1.small + - m1.medium + - m1.large + - m1.xlarge + - m2.xlarge + - m2.2xlarge + - m2.4xlarge + - m3.medium + - m3.large + - m3.xlarge + - m3.2xlarge + - m4.large + - m4.xlarge + - m4.2xlarge + - m4.4xlarge + - m4.10xlarge + - m4.16xlarge + - m5.large + - m5.xlarge + - m5.2xlarge + - m5.4xlarge + - m5.8xlarge + - m5.12xlarge + - m5.16xlarge + - m5.24xlarge + - m5.metal + - m5a.large + - m5a.xlarge + - m5a.2xlarge + - m5a.4xlarge + - m5a.8xlarge + - m5a.12xlarge + - m5a.16xlarge + - m5a.24xlarge + - m5ad.large + - m5ad.xlarge + - m5ad.2xlarge + - m5ad.4xlarge + - m5ad.8xlarge + - m5ad.12xlarge + - m5ad.16xlarge + - m5ad.24xlarge + - m5d.large + - m5d.xlarge + - m5d.2xlarge + - m5d.4xlarge + - m5d.8xlarge + - m5d.12xlarge + - m5d.16xlarge + - m5d.24xlarge + - m5d.metal + - m5dn.large + - m5dn.xlarge + - m5dn.2xlarge + - m5dn.4xlarge + - m5dn.8xlarge + - m5dn.12xlarge + - m5dn.16xlarge + - m5dn.24xlarge + - m5dn.metal + - m5n.large + - m5n.xlarge + - m5n.2xlarge + - m5n.4xlarge + - m5n.8xlarge + - m5n.12xlarge + - m5n.16xlarge + - m5n.24xlarge + - m5n.metal + - m5zn.large + - m5zn.xlarge + - m5zn.2xlarge + - m5zn.3xlarge + - m5zn.6xlarge + - m5zn.12xlarge + - m5zn.metal + - m6a.large + - m6a.xlarge + - m6a.2xlarge + - m6a.4xlarge + - m6a.8xlarge + - m6a.12xlarge + - m6a.16xlarge + - m6a.24xlarge + - m6a.32xlarge + - m6a.48xlarge + - m6g.metal + - m6g.medium + - m6g.large + - m6g.xlarge + - m6g.2xlarge + - m6g.4xlarge + - m6g.8xlarge + - m6g.12xlarge + - m6g.16xlarge + - m6gd.metal + - m6gd.medium + - m6gd.large + - m6gd.xlarge + - m6gd.2xlarge + - m6gd.4xlarge + - m6gd.8xlarge + - m6gd.12xlarge + - m6gd.16xlarge + - m6i.large + - m6i.xlarge + - m6i.2xlarge + - m6i.4xlarge + - m6i.8xlarge + - m6i.12xlarge + - m6i.16xlarge + - m6i.24xlarge + - m6i.32xlarge + - m6i.metal + - mac1.metal + - p2.xlarge + - p2.8xlarge + - p2.16xlarge + - p3.2xlarge + - p3.8xlarge + - p3.16xlarge + - p3dn.24xlarge + - p4d.24xlarge + - r3.large + - r3.xlarge + - r3.2xlarge + - r3.4xlarge + - r3.8xlarge + - r4.large + - r4.xlarge + - r4.2xlarge + - r4.4xlarge + - r4.8xlarge + - r4.16xlarge + - r5.large + - r5.xlarge + - r5.2xlarge + - r5.4xlarge + - r5.8xlarge + - r5.12xlarge + - r5.16xlarge + - r5.24xlarge + - r5.metal + - r5a.large + - r5a.xlarge + - r5a.2xlarge + - r5a.4xlarge + - r5a.8xlarge + - r5a.12xlarge + - r5a.16xlarge + - r5a.24xlarge + - r5ad.large + - r5ad.xlarge + - r5ad.2xlarge + - r5ad.4xlarge + - r5ad.8xlarge + - r5ad.12xlarge + - r5ad.16xlarge + - r5ad.24xlarge + - r5b.large + - r5b.xlarge + - r5b.2xlarge + - r5b.4xlarge + - r5b.8xlarge + - r5b.12xlarge + - r5b.16xlarge + - r5b.24xlarge + - r5b.metal + - r5d.large + - r5d.xlarge + - r5d.2xlarge + - r5d.4xlarge + - r5d.8xlarge + - r5d.12xlarge + - r5d.16xlarge + - r5d.24xlarge + - r5d.metal + - r5dn.large + - r5dn.xlarge + - r5dn.2xlarge + - r5dn.4xlarge + - r5dn.8xlarge + - r5dn.12xlarge + - r5dn.16xlarge + - r5dn.24xlarge + - r5dn.metal + - r5n.large + - r5n.xlarge + - r5n.2xlarge + - r5n.4xlarge + - r5n.8xlarge + - r5n.12xlarge + - r5n.16xlarge + - r5n.24xlarge + - r5n.metal + - r6g.medium + - r6g.large + - r6g.xlarge + - r6g.2xlarge + - r6g.4xlarge + - r6g.8xlarge + - r6g.12xlarge + - r6g.16xlarge + - r6g.metal + - r6gd.medium + - r6gd.large + - r6gd.xlarge + - r6gd.2xlarge + - r6gd.4xlarge + - r6gd.8xlarge + - r6gd.12xlarge + - r6gd.16xlarge + - r6gd.metal + - r6i.large + - r6i.xlarge + - r6i.2xlarge + - r6i.4xlarge + - r6i.8xlarge + - r6i.12xlarge + - r6i.16xlarge + - r6i.24xlarge + - r6i.32xlarge + - r6i.metal + - t1.micro + - t2.nano + - t2.micro + - t2.small + - t2.medium + - t2.large + - t2.xlarge + - t2.2xlarge + - t3.nano + - t3.micro + - t3.small + - t3.medium + - t3.large + - t3.xlarge + - t3.2xlarge + - t3a.nano + - t3a.micro + - t3a.small + - t3a.medium + - t3a.large + - t3a.xlarge + - t3a.2xlarge + - t4g.nano + - t4g.micro + - t4g.small + - t4g.medium + - t4g.large + - t4g.xlarge + - t4g.2xlarge + - u-6tb1.56xlarge + - u-6tb1.112xlarge + - u-9tb1.112xlarge + - u-12tb1.112xlarge + - u-6tb1.metal + - u-9tb1.metal + - u-12tb1.metal + - u-18tb1.metal + - u-24tb1.metal + - vt1.3xlarge + - vt1.6xlarge + - vt1.24xlarge + - x1.16xlarge + - x1.32xlarge + - x1e.xlarge + - x1e.2xlarge + - x1e.4xlarge + - x1e.8xlarge + - x1e.16xlarge + - x1e.32xlarge + - x2iezn.2xlarge + - x2iezn.4xlarge + - x2iezn.6xlarge + - x2iezn.8xlarge + - x2iezn.12xlarge + - x2iezn.metal + - x2gd.medium + - x2gd.large + - x2gd.xlarge + - x2gd.2xlarge + - x2gd.4xlarge + - x2gd.8xlarge + - x2gd.12xlarge + - x2gd.16xlarge + - x2gd.metal + - z1d.large + - z1d.xlarge + - z1d.2xlarge + - z1d.3xlarge + - z1d.6xlarge + - z1d.12xlarge + - z1d.metal + - x2idn.16xlarge + - x2idn.24xlarge + - x2idn.32xlarge + - x2iedn.xlarge + - x2iedn.2xlarge + - x2iedn.4xlarge + - x2iedn.8xlarge + - x2iedn.16xlarge + - x2iedn.24xlarge + - x2iedn.32xlarge + - c6a.large + - c6a.xlarge + - c6a.2xlarge + - c6a.4xlarge + - c6a.8xlarge + - c6a.12xlarge + - c6a.16xlarge + - c6a.24xlarge + - c6a.32xlarge + - c6a.48xlarge + - c6a.metal + - m6a.metal + - i4i.large + - i4i.xlarge + - i4i.2xlarge + - i4i.4xlarge + - i4i.8xlarge + - i4i.16xlarge + - i4i.32xlarge + DescribeInstancesResult: + type: object + example: {} + properties: + reservationSet: + allOf: + - $ref: '#/components/schemas/ReservationList' + - description: Information about the reservations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeInternetGatewaysResult: + type: object + example: + InternetGateways: + - Attachments: + - State: available + VpcId: vpc-a01106c2 + InternetGatewayId: igw-c0a643a9 + Tags: [] + properties: + internetGatewaySet: + allOf: + - $ref: '#/components/schemas/InternetGatewayList' + - description: Information about one or more internet gateways. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + InternetGatewayId: + type: string + DescribeIpamPoolsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ipamPoolSet: + allOf: + - $ref: '#/components/schemas/IpamPoolSet' + - description: Information about the IPAM pools. + DescribeIpamScopesResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ipamScopeSet: + allOf: + - $ref: '#/components/schemas/IpamScopeSet' + - description: The scopes you want information on. + DescribeIpamsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ipamSet: + allOf: + - $ref: '#/components/schemas/IpamSet' + - description: Information about the IPAMs. + DescribeIpv6PoolsResult: + type: object + properties: + ipv6PoolSet: + allOf: + - $ref: '#/components/schemas/Ipv6PoolSet' + - description: Information about the IPv6 address pools. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + Ipv6PoolEc2Id: + type: string + DescribeKeyPairsResult: + type: object + example: + KeyPairs: + - KeyFingerprint: '1f:51:ae:28:bf:89:e9:d8:1f:25:5d:37:2d:7d:b8:ca:9f:f5:f1:6f' + KeyName: my-key-pair + properties: + keySet: + allOf: + - $ref: '#/components/schemas/KeyPairList' + - description: Information about the key pairs. + KeyPairName: + type: string + KeyPairId: + type: string + DescribeLaunchTemplateVersionsResult: + type: object + example: + LaunchTemplateVersions: + - CreateTime: '2017-11-20T13:12:32.000Z' + CreatedBy: 'arn:aws:iam::123456789102:root' + DefaultVersion: false + LaunchTemplateData: + ImageId: ami-6057e21a + InstanceType: t2.medium + KeyName: kp-us-east + NetworkInterfaces: + - DeviceIndex: 0 + Groups: + - sg-7c227019 + SubnetId: subnet-1a2b3c4d + LaunchTemplateId: lt-068f72b72934aff71 + LaunchTemplateName: Webservers + VersionNumber: 2 + - CreateTime: '2017-11-20T12:52:33.000Z' + CreatedBy: 'arn:aws:iam::123456789102:root' + DefaultVersion: true + LaunchTemplateData: + ImageId: ami-aabbcc11 + InstanceType: t2.medium + KeyName: kp-us-east + NetworkInterfaces: + - AssociatePublicIpAddress: true + DeleteOnTermination: false + DeviceIndex: 0 + Groups: + - sg-7c227019 + SubnetId: subnet-7b16de0c + UserData: '' + LaunchTemplateId: lt-068f72b72934aff71 + LaunchTemplateName: Webservers + VersionNumber: 1 + properties: + launchTemplateVersionSet: + allOf: + - $ref: '#/components/schemas/LaunchTemplateVersionSet' + - description: Information about the launch template versions. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeLaunchTemplatesResult: + type: object + example: + LaunchTemplates: + - CreateTime: '2018-01-16T04:32:57.000Z' + CreatedBy: 'arn:aws:iam::123456789012:root' + DefaultVersionNumber: 1 + LatestVersionNumber: 1 + LaunchTemplateId: lt-01238c059e3466abc + LaunchTemplateName: my-template + properties: + launchTemplates: + allOf: + - $ref: '#/components/schemas/LaunchTemplateSet' + - description: Information about the launch templates. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LaunchTemplateId: + type: string + LaunchTemplateName: + type: string + pattern: '[a-zA-Z0-9\(\)\.\-/_]+' + minLength: 3 + maxLength: 128 + DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsResult: + type: object + properties: + localGatewayRouteTableVirtualInterfaceGroupAssociationSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVirtualInterfaceGroupAssociationSet' + - description: Information about the associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LocalGatewayRouteTableVirtualInterfaceGroupAssociationId: + type: string + DescribeLocalGatewayRouteTableVpcAssociationsResult: + type: object + properties: + localGatewayRouteTableVpcAssociationSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociationSet' + - description: Information about the associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LocalGatewayRouteTableVpcAssociationId: + type: string + DescribeLocalGatewayRouteTablesResult: + type: object + properties: + localGatewayRouteTableSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableSet' + - description: Information about the local gateway route tables. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LocalGatewayRoutetableId: + type: string + DescribeLocalGatewayVirtualInterfaceGroupsResult: + type: object + properties: + localGatewayVirtualInterfaceGroupSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupSet' + - description: The virtual interface groups. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LocalGatewayVirtualInterfaceGroupId: + type: string + DescribeLocalGatewayVirtualInterfacesResult: + type: object + properties: + localGatewayVirtualInterfaceSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceSet' + - description: Information about the virtual interfaces. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LocalGatewayVirtualInterfaceId: + type: string + DescribeLocalGatewaysResult: + type: object + properties: + localGatewaySet: + allOf: + - $ref: '#/components/schemas/LocalGatewaySet' + - description: Information about the local gateways. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + LocalGatewayId: + type: string + DescribeManagedPrefixListsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + prefixListSet: + allOf: + - $ref: '#/components/schemas/ManagedPrefixListSet' + - description: Information about the prefix lists. + DescribeMovingAddressesResult: + type: object + example: + MovingAddressStatuses: + - MoveStatus: MovingToVpc + PublicIp: 198.51.100.0 + properties: + movingAddressStatusSet: + allOf: + - $ref: '#/components/schemas/MovingAddressStatusSet' + - description: The status for each Elastic IP address. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeNatGatewaysResult: + type: object + example: + NatGateways: + - CreateTime: '2015-12-01T12:26:55.983Z' + NatGatewayAddresses: + - AllocationId: eipalloc-89c620ec + NetworkInterfaceId: eni-9dec76cd + PrivateIp: 10.0.0.149 + PublicIp: 198.11.222.333 + NatGatewayId: nat-05dba92075d71c408 + State: available + SubnetId: subnet-847e4dc2 + VpcId: vpc-1a2b3c4d + properties: + natGatewaySet: + allOf: + - $ref: '#/components/schemas/NatGatewayList' + - description: Information about the NAT gateways. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + NatGatewayId: + type: string + DescribeNetworkAclsResult: + type: object + example: + NetworkAcls: + - Associations: + - NetworkAclAssociationId: aclassoc-66ea5f0b + NetworkAclId: acl-9aeb5ef7 + SubnetId: subnet-65ea5f08 + Entries: + - CidrBlock: 0.0.0.0/0 + Egress: true + Protocol: '-1' + RuleAction: deny + RuleNumber: 32767 + - CidrBlock: 0.0.0.0/0 + Egress: false + Protocol: '-1' + RuleAction: deny + RuleNumber: 32767 + IsDefault: false + NetworkAclId: acl-5fb85d36 + Tags: [] + VpcId: vpc-a01106c2 + properties: + networkAclSet: + allOf: + - $ref: '#/components/schemas/NetworkAclList' + - description: Information about one or more network ACLs. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + NetworkAclId: + type: string + DescribeNetworkInsightsAccessScopeAnalysesResult: + type: object + properties: + networkInsightsAccessScopeAnalysisSet: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisList' + - description: The Network Access Scope analyses. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + NetworkInsightsAccessScopeAnalysisId: + type: string + DescribeNetworkInsightsAccessScopesResult: + type: object + properties: + networkInsightsAccessScopeSet: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeList' + - description: The Network Access Scopes. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + NetworkInsightsAccessScopeId: + type: string + DescribeNetworkInsightsAnalysesResult: + type: object + properties: + networkInsightsAnalysisSet: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysisList' + - description: Information about the network insights analyses. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + NetworkInsightsAnalysisId: + type: string + DescribeNetworkInsightsPathsResult: + type: object + properties: + networkInsightsPathSet: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathList' + - description: Information about the paths. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + NetworkInsightsPathId: + type: string + DescribeNetworkInterfaceAttributeResult: + type: object + example: + NetworkInterfaceId: eni-686ea200 + SourceDestCheck: + Value: true + properties: + attachment: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttachment' + - description: The attachment (if any) of the network interface. + description: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: The description of the network interface. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: The security groups associated with the network interface. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: Indicates whether source/destination checking is enabled. + description: Contains the output of DescribeNetworkInterfaceAttribute. + DescribeNetworkInterfacePermissionsResult: + type: object + properties: + networkInterfacePermissions: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePermissionList' + - description: The network interface permissions. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. + description: Contains the output for DescribeNetworkInterfacePermissions. + NetworkInterfacePermissionId: + type: string + DescribeNetworkInterfacesResult: + type: object + example: + NetworkInterfaces: + - Association: + AssociationId: eipassoc-0fbb766a + IpOwnerId: '123456789012' + PublicDnsName: ec2-203-0-113-12.compute-1.amazonaws.com + PublicIp: 203.0.113.12 + Attachment: + AttachTime: '2013-11-30T23:36:42.000Z' + AttachmentId: eni-attach-66c4350a + DeleteOnTermination: false + DeviceIndex: 1 + InstanceId: i-1234567890abcdef0 + InstanceOwnerId: '123456789012' + Status: attached + AvailabilityZone: us-east-1d + Description: my network interface + Groups: + - GroupId: sg-8637d3e3 + GroupName: default + MacAddress: '02:2f:8f:b0:cf:75' + NetworkInterfaceId: eni-e5aa89a3 + OwnerId: '123456789012' + PrivateDnsName: ip-10-0-1-17.ec2.internal + PrivateIpAddress: 10.0.1.17 + PrivateIpAddresses: + - Association: + AssociationId: eipassoc-0fbb766a + IpOwnerId: '123456789012' + PublicDnsName: ec2-203-0-113-12.compute-1.amazonaws.com + PublicIp: 203.0.113.12 + Primary: true + PrivateDnsName: ip-10-0-1-17.ec2.internal + PrivateIpAddress: 10.0.1.17 + RequesterManaged: false + SourceDestCheck: true + Status: in-use + SubnetId: subnet-b61f49f0 + TagSet: [] + VpcId: vpc-a01106c2 + properties: + networkInterfaceSet: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceList' + - description: Information about one or more network interfaces. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + description: Contains the output of DescribeNetworkInterfaces. + DescribePlacementGroupsResult: + type: object + properties: + placementGroupSet: + allOf: + - $ref: '#/components/schemas/PlacementGroupList' + - description: Information about the placement groups. + PlacementGroupName: + type: string + PlacementGroupId: + type: string + DescribePrefixListsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + prefixListSet: + allOf: + - $ref: '#/components/schemas/PrefixListSet' + - description: All available prefix lists. + PrefixListResourceId: + type: string + DescribePrincipalIdFormatResult: + type: object + properties: + principalSet: + allOf: + - $ref: '#/components/schemas/PrincipalIdFormatList' + - description: Information about the ID format settings for the ARN. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribePublicIpv4PoolsResult: + type: object + properties: + publicIpv4PoolSet: + allOf: + - $ref: '#/components/schemas/PublicIpv4PoolSet' + - description: Information about the address pools. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + Ipv4PoolEc2Id: + type: string + DescribeRegionsResult: + type: object + example: + Regions: + - Endpoint: ec2.ap-south-1.amazonaws.com + RegionName: ap-south-1 + - Endpoint: ec2.eu-west-1.amazonaws.com + RegionName: eu-west-1 + - Endpoint: ec2.ap-southeast-1.amazonaws.com + RegionName: ap-southeast-1 + - Endpoint: ec2.ap-southeast-2.amazonaws.com + RegionName: ap-southeast-2 + - Endpoint: ec2.eu-central-1.amazonaws.com + RegionName: eu-central-1 + - Endpoint: ec2.ap-northeast-2.amazonaws.com + RegionName: ap-northeast-2 + - Endpoint: ec2.ap-northeast-1.amazonaws.com + RegionName: ap-northeast-1 + - Endpoint: ec2.us-east-1.amazonaws.com + RegionName: us-east-1 + - Endpoint: ec2.sa-east-1.amazonaws.com + RegionName: sa-east-1 + - Endpoint: ec2.us-west-1.amazonaws.com + RegionName: us-west-1 + - Endpoint: ec2.us-west-2.amazonaws.com + RegionName: us-west-2 + properties: + regionInfo: + allOf: + - $ref: '#/components/schemas/RegionList' + - description: Information about the Regions. + DescribeReplaceRootVolumeTasksResult: + type: object + properties: + replaceRootVolumeTaskSet: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTasks' + - description: Information about the root volume replacement task. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ReplaceRootVolumeTaskId: + type: string + DescribeReservedInstancesResult: + type: object + properties: + reservedInstancesSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesList' + - description: A list of Reserved Instances. + description: Contains the output for DescribeReservedInstances. + DescribeReservedInstancesListingsResult: + type: object + properties: + reservedInstancesListingsSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesListingList' + - description: Information about the Reserved Instance listing. + description: Contains the output of DescribeReservedInstancesListings. + DescribeReservedInstancesModificationsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + reservedInstancesModificationsSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModificationList' + - description: The Reserved Instance modification information. + description: Contains the output of DescribeReservedInstancesModifications. + ReservedInstancesModificationId: + type: string + DescribeReservedInstancesOfferingsResult: + type: object + properties: + reservedInstancesOfferingsSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesOfferingList' + - description: A list of Reserved Instances offerings. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + description: Contains the output of DescribeReservedInstancesOfferings. + ReservedInstancesOfferingId: + type: string + DescribeRouteTablesResult: + type: object + example: + RouteTables: + - Associations: + - Main: true + RouteTableAssociationId: rtbassoc-d8ccddba + RouteTableId: rtb-1f382e7d + PropagatingVgws: [] + RouteTableId: rtb-1f382e7d + Routes: + - DestinationCidrBlock: 10.0.0.0/16 + GatewayId: local + State: active + Tags: [] + VpcId: vpc-a01106c2 + properties: + routeTableSet: + allOf: + - $ref: '#/components/schemas/RouteTableList' + - description: Information about one or more route tables. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + description: Contains the output of DescribeRouteTables. + DescribeScheduledInstanceAvailabilityResult: + type: object + example: + ScheduledInstanceAvailabilitySet: + - AvailabilityZone: us-west-2b + AvailableInstanceCount: 20 + FirstSlotStartTime: '2016-01-31T00:00:00Z' + HourlyPrice: '0.095' + InstanceType: c4.large + MaxTermDurationInDays: 366 + MinTermDurationInDays: 366 + NetworkPlatform: EC2-VPC + Platform: Linux/UNIX + PurchaseToken: eyJ2IjoiMSIsInMiOjEsImMiOi... + Recurrence: + Frequency: Weekly + Interval: 1 + OccurrenceDaySet: + - 1 + OccurrenceRelativeToEnd: false + SlotDurationInHours: 23 + TotalScheduledInstanceHours: 1219 + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token required to retrieve the next set of results. This value is null when there are no more results to return. + scheduledInstanceAvailabilitySet: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceAvailabilitySet' + - description: Information about the available Scheduled Instances. + description: Contains the output of DescribeScheduledInstanceAvailability. + DateTime: + type: string + format: date-time + DescribeScheduledInstancesResult: + type: object + example: + ScheduledInstanceSet: + - AvailabilityZone: us-west-2b + CreateDate: '2016-01-25T21:43:38.612Z' + HourlyPrice: '0.095' + InstanceCount: 1 + InstanceType: c4.large + NetworkPlatform: EC2-VPC + NextSlotStartTime: '2016-01-31T09:00:00Z' + Platform: Linux/UNIX + Recurrence: + Frequency: Weekly + Interval: 1 + OccurrenceDaySet: + - 1 + OccurrenceRelativeToEnd: false + OccurrenceUnit: '' + ScheduledInstanceId: sci-1234-1234-1234-1234-123456789012 + SlotDurationInHours: 32 + TermEndDate: '2017-01-31T09:00:00Z' + TermStartDate: '2016-01-31T09:00:00Z' + TotalScheduledInstanceHours: 1696 + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token required to retrieve the next set of results. This value is null when there are no more results to return. + scheduledInstanceSet: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceSet' + - description: Information about the Scheduled Instances. + description: Contains the output of DescribeScheduledInstances. + ScheduledInstanceId: + type: string + DescribeSecurityGroupReferencesResult: + type: object + example: + SecurityGroupReferenceSet: + - GroupId: sg-903004f8 + ReferencingVpcId: vpc-1a2b3c4d + VpcPeeringConnectionId: pcx-b04deed9 + properties: + securityGroupReferenceSet: + allOf: + - $ref: '#/components/schemas/SecurityGroupReferences' + - description: Information about the VPCs with the referencing security groups. + DescribeSecurityGroupRulesResult: + type: object + properties: + securityGroupRuleSet: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleList' + - description: Information about security group rules. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The token to use to retrieve the next page of results. This value is null when there are no more results to return. ' + DescribeSecurityGroupsResult: + type: object + example: {} + properties: + securityGroupInfo: + allOf: + - $ref: '#/components/schemas/SecurityGroupList' + - description: Information about the security groups. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + SecurityGroupName: + type: string + DescribeSnapshotAttributeResult: + type: object + example: + CreateVolumePermissions: [] + SnapshotId: snap-066877671789bd71b + properties: + createVolumePermission: + allOf: + - $ref: '#/components/schemas/CreateVolumePermissionList' + - description: The users and groups that have the permissions for creating volumes from the snapshot. + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: The product codes. + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the EBS snapshot. + DescribeSnapshotTierStatusResult: + type: object + properties: + snapshotTierStatusSet: + allOf: + - $ref: '#/components/schemas/snapshotTierStatusSet' + - description: Information about the snapshot's storage tier. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeSnapshotsResult: + type: object + example: + NextToken: '' + Snapshots: + - Description: This is my copied snapshot. + OwnerId: 012345678910 + Progress: 87% + SnapshotId: snap-066877671789bd71b + StartTime: '2014-02-28T21:37:27.000Z' + State: pending + VolumeId: vol-1234567890abcdef0 + VolumeSize: 8 + properties: + snapshotSet: + allOf: + - $ref: '#/components/schemas/SnapshotList' + - description: Information about the snapshots. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The NextToken value to include in a future DescribeSnapshots request. When the results of a DescribeSnapshots request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return.' + SnapshotId: + type: string + DescribeSpotDatafeedSubscriptionResult: + type: object + example: + SpotDatafeedSubscription: + Bucket: my-s3-bucket + OwnerId: '123456789012' + Prefix: spotdata + State: Active + properties: + spotDatafeedSubscription: + allOf: + - $ref: '#/components/schemas/SpotDatafeedSubscription' + - description: The Spot Instance data feed subscription. + description: Contains the output of DescribeSpotDatafeedSubscription. + DescribeSpotFleetInstancesResponse: + type: object + example: + ActiveInstances: + - InstanceId: i-1234567890abcdef0 + InstanceType: m3.medium + SpotInstanceRequestId: sir-08b93456 + SpotFleetRequestId: sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE + properties: + activeInstanceSet: + allOf: + - $ref: '#/components/schemas/ActiveInstanceSet' + - description: The running instances. This list is refreshed periodically and might be out of date. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token required to retrieve the next set of results. This value is null when there are no more results to return. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Fleet request. + description: Contains the output of DescribeSpotFleetInstances. + DescribeSpotFleetRequestHistoryResponse: + type: object + example: + HistoryRecords: + - EventInformation: + EventSubType: submitted + EventType: fleetRequestChange + Timestamp: '2015-05-26T23:17:20.697Z' + - EventInformation: + EventSubType: active + EventType: fleetRequestChange + Timestamp: '2015-05-26T23:17:20.873Z' + - EventInformation: + EventSubType: launched + InstanceId: i-1234567890abcdef0 + EventType: instanceChange + Timestamp: '2015-05-26T23:21:21.712Z' + - EventInformation: + EventSubType: launched + InstanceId: i-1234567890abcdef1 + EventType: instanceChange + Timestamp: '2015-05-26T23:21:21.816Z' + NextToken: CpHNsscimcV5oH7bSbub03CI2Qms5+ypNpNm+53MNlR0YcXAkp0xFlfKf91yVxSExmbtma3awYxMFzNA663ZskT0AHtJ6TCb2Z8bQC2EnZgyELbymtWPfpZ1ZbauVg+P+TfGlWxWWB/Vr5dk5d4LfdgA/DRAHUrYgxzrEXAMPLE= + SpotFleetRequestId: sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE + StartTime: '2015-05-26T00:00:00Z' + properties: + historyRecordSet: + allOf: + - $ref: '#/components/schemas/HistoryRecords' + - description: Information about the events in the history of the Spot Fleet request. + lastEvaluatedTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: '

The last date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). All records up to this time were retrieved.

If nextToken indicates that there are more results, this value is not present.

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token required to retrieve the next set of results. This value is null when there are no more results to return. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Fleet request. + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The starting date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Contains the output of DescribeSpotFleetRequestHistory. + DescribeSpotFleetRequestsResponse: + type: object + example: + SpotFleetRequestConfigs: + - SpotFleetRequestConfig: + IamFleetRole: 'arn:aws:iam::123456789012:role/my-spot-fleet-role' + LaunchSpecifications: + - EbsOptimized: false + ImageId: ami-1a2b3c4d + InstanceType: cc2.8xlarge + NetworkInterfaces: + - AssociatePublicIpAddress: true + DeleteOnTermination: false + DeviceIndex: 0 + SecondaryPrivateIpAddressCount: 0 + SubnetId: subnet-a61dafcf + - EbsOptimized: false + ImageId: ami-1a2b3c4d + InstanceType: r3.8xlarge + NetworkInterfaces: + - AssociatePublicIpAddress: true + DeleteOnTermination: false + DeviceIndex: 0 + SecondaryPrivateIpAddressCount: 0 + SubnetId: subnet-a61dafcf + SpotPrice: '0.05' + TargetCapacity: 20 + SpotFleetRequestId: sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE + SpotFleetRequestState: active + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token required to retrieve the next set of results. This value is null when there are no more results to return. + spotFleetRequestConfigSet: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestConfigSet' + - description: Information about the configuration of your Spot Fleet. + description: Contains the output of DescribeSpotFleetRequests. + DescribeSpotInstanceRequestsResult: + type: object + example: + SpotInstanceRequests: + - CreateTime: '2014-04-30T18:14:55.000Z' + InstanceId: i-1234567890abcdef0 + LaunchSpecification: + BlockDeviceMappings: + - DeviceName: /dev/sda1 + Ebs: + DeleteOnTermination: true + VolumeSize: 8 + VolumeType: standard + EbsOptimized: false + ImageId: ami-7aba833f + InstanceType: m1.small + KeyName: my-key-pair + SecurityGroups: + - GroupId: sg-e38f24a7 + GroupName: my-security-group + LaunchedAvailabilityZone: us-west-1b + ProductDescription: Linux/UNIX + SpotInstanceRequestId: sir-08b93456 + SpotPrice: '0.010000' + State: active + Status: + Code: fulfilled + Message: Your Spot request is fulfilled. + UpdateTime: '2014-04-30T18:16:21.000Z' + Type: one-time + properties: + spotInstanceRequestSet: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequestList' + - description: One or more Spot Instance requests. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next set of results. This value is null when there are no more results to return. + description: Contains the output of DescribeSpotInstanceRequests. + DescribeSpotPriceHistoryResult: + type: object + example: + SpotPriceHistory: + - AvailabilityZone: us-west-1a + InstanceType: m1.xlarge + ProductDescription: Linux/UNIX (Amazon VPC) + SpotPrice: '0.080000' + Timestamp: '2014-01-06T04:32:53.000Z' + - AvailabilityZone: us-west-1c + InstanceType: m1.xlarge + ProductDescription: Linux/UNIX (Amazon VPC) + SpotPrice: '0.080000' + Timestamp: '2014-01-05T11:28:26.000Z' + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token required to retrieve the next set of results. This value is null or an empty string when there are no more results to return. + spotPriceHistorySet: + allOf: + - $ref: '#/components/schemas/SpotPriceHistoryList' + - description: The historical Spot prices. + description: Contains the output of DescribeSpotPriceHistory. + DescribeStaleSecurityGroupsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The token to use when requesting the next set of items. If there are no additional items to return, the string is empty.' + staleSecurityGroupSet: + allOf: + - $ref: '#/components/schemas/StaleSecurityGroupSet' + - description: Information about the stale security groups. + DescribeStoreImageTasksResult: + type: object + properties: + storeImageTaskResultSet: + allOf: + - $ref: '#/components/schemas/StoreImageTaskResultSet' + - description: The information about the AMI store tasks. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeSubnetsResult: + type: object + example: + Subnets: + - AvailabilityZone: us-east-1c + AvailableIpAddressCount: 251 + CidrBlock: 10.0.1.0/24 + DefaultForAz: false + MapPublicIpOnLaunch: false + State: available + SubnetId: subnet-9d4a7b6c + VpcId: vpc-a01106c2 + properties: + subnetSet: + allOf: + - $ref: '#/components/schemas/SubnetList' + - description: Information about one or more subnets. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeTagsResult: + type: object + example: + Tags: + - Key: Stack + ResourceId: i-1234567890abcdef8 + ResourceType: instance + Value: test + - Key: Name + ResourceId: i-1234567890abcdef8 + ResourceType: instance + Value: Beta Server + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + tagSet: + allOf: + - $ref: '#/components/schemas/TagDescriptionList' + - description: The tags. + DescribeTrafficMirrorFiltersResult: + type: object + properties: + trafficMirrorFilterSet: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterSet' + - description: Information about one or more Traffic Mirror filters. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. The value is null when there are no more results to return. + TrafficMirrorFilterId: + type: string + DescribeTrafficMirrorSessionsResult: + type: object + properties: + trafficMirrorSessionSet: + allOf: + - $ref: '#/components/schemas/TrafficMirrorSessionSet' + - description: 'Describes one or more Traffic Mirror sessions. By default, all Traffic Mirror sessions are described. Alternatively, you can filter the results.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. The value is null when there are no more results to return. + TrafficMirrorSessionId: + type: string + DescribeTrafficMirrorTargetsResult: + type: object + properties: + trafficMirrorTargetSet: + allOf: + - $ref: '#/components/schemas/TrafficMirrorTargetSet' + - description: Information about one or more Traffic Mirror targets. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. The value is null when there are no more results to return. + TrafficMirrorTargetId: + type: string + DescribeTransitGatewayAttachmentsResult: + type: object + properties: + transitGatewayAttachments: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentList' + - description: Information about the attachments. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + TransitGatewayAttachmentId: + type: string + DescribeTransitGatewayConnectPeersResult: + type: object + properties: + transitGatewayConnectPeerSet: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerList' + - description: Information about the Connect peers. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + TransitGatewayConnectPeerId: + type: string + DescribeTransitGatewayConnectsResult: + type: object + properties: + transitGatewayConnectSet: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectList' + - description: Information about the Connect attachments. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeTransitGatewayMulticastDomainsResult: + type: object + properties: + transitGatewayMulticastDomains: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainList' + - description: Information about the transit gateway multicast domains. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + TransitGatewayMulticastDomainId: + type: string + DescribeTransitGatewayPeeringAttachmentsResult: + type: object + properties: + transitGatewayPeeringAttachments: + allOf: + - $ref: '#/components/schemas/TransitGatewayPeeringAttachmentList' + - description: The transit gateway peering attachments. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeTransitGatewayRouteTablesResult: + type: object + properties: + transitGatewayRouteTables: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableList' + - description: Information about the transit gateway route tables. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + TransitGatewayRouteTableId: + type: string + DescribeTransitGatewayVpcAttachmentsResult: + type: object + properties: + transitGatewayVpcAttachments: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachmentList' + - description: Information about the VPC attachments. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeTransitGatewaysResult: + type: object + properties: + transitGatewaySet: + allOf: + - $ref: '#/components/schemas/TransitGatewayList' + - description: Information about the transit gateways. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + TransitGatewayId: + type: string + DescribeTrunkInterfaceAssociationsResult: + type: object + properties: + interfaceAssociationSet: + allOf: + - $ref: '#/components/schemas/TrunkInterfaceAssociationList' + - description: Information about the trunk associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + TrunkInterfaceAssociationId: + type: string + DescribeVolumeAttributeResult: + type: object + example: + AutoEnableIO: + Value: false + VolumeId: vol-049df61146c4d7901 + properties: + autoEnableIO: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: The state of autoEnableIO attribute. + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: A list of product codes. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume. + DescribeVolumeStatusResult: + type: object + example: + VolumeStatuses: [] + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + volumeStatusSet: + allOf: + - $ref: '#/components/schemas/VolumeStatusList' + - description: Information about the status of the volumes. + VolumeId: + type: string + DescribeVolumesOutput: + type: object + properties: + DescribeVolumesResponse: + xml: + name: DescribeVolumesResult + $ref: '#/components/schemas/DescribeVolumesResult' + + DescribeVolumesResult: + type: object + example: + Volumes: + - Attachments: + - AttachTime: '2013-12-18T22:35:00.000Z' + DeleteOnTermination: true + Device: /dev/sda1 + InstanceId: i-1234567890abcdef0 + State: attached + VolumeId: vol-049df61146c4d7901 + AvailabilityZone: us-east-1a + CreateTime: '2013-12-18T22:35:00.084Z' + Size: 8 + SnapshotId: snap-1234567890abcdef0 + State: in-use + VolumeId: vol-049df61146c4d7901 + VolumeType: standard + properties: + volumeSet: + allOf: + - $ref: '#/components/schemas/VolumeList' + - description: Information about the volumes. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The NextToken value to include in a future DescribeVolumes request. When the results of a DescribeVolumes request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return.' + DescribeVolumesModificationsResult: + type: object + properties: + volumeModificationSet: + allOf: + - $ref: '#/components/schemas/VolumeModificationList' + - description: Information about the volume modifications. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Token for pagination, null if there are no more results ' + DescribeVpcAttributeResult: + type: object + example: + EnableDnsHostnames: + Value: true + VpcId: vpc-a01106c2 + properties: + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + enableDnsHostnames: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'Indicates whether the instances launched in the VPC get DNS hostnames. If this attribute is true, instances in the VPC get DNS hostnames; otherwise, they do not.' + enableDnsSupport: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'Indicates whether DNS resolution is enabled for the VPC. If this attribute is true, the Amazon DNS server resolves DNS hostnames for your instances to their corresponding IP addresses; otherwise, it does not.' + DescribeVpcClassicLinkResult: + type: object + properties: + vpcSet: + allOf: + - $ref: '#/components/schemas/VpcClassicLinkList' + - description: The ClassicLink status of one or more VPCs. + VpcId: + type: string + DescribeVpcClassicLinkDnsSupportResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/DescribeVpcClassicLinkDnsSupportNextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + vpcs: + allOf: + - $ref: '#/components/schemas/ClassicLinkDnsSupportList' + - description: Information about the ClassicLink DNS support status of the VPCs. + DescribeVpcEndpointConnectionNotificationsResult: + type: object + properties: + connectionNotificationSet: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationSet' + - description: One or more notifications. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeVpcEndpointConnectionsResult: + type: object + properties: + vpcEndpointConnectionSet: + allOf: + - $ref: '#/components/schemas/VpcEndpointConnectionSet' + - description: Information about one or more VPC endpoint connections. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeVpcEndpointServiceConfigurationsResult: + type: object + properties: + serviceConfigurationSet: + allOf: + - $ref: '#/components/schemas/ServiceConfigurationSet' + - description: Information about one or more services. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeVpcEndpointServicePermissionsResult: + type: object + properties: + allowedPrincipals: + allOf: + - $ref: '#/components/schemas/AllowedPrincipalSet' + - description: Information about one or more allowed principals. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeVpcEndpointServicesResult: + type: object + properties: + serviceNameSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: A list of supported services. + serviceDetailSet: + allOf: + - $ref: '#/components/schemas/ServiceDetailSet' + - description: Information about the service. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The token to use when requesting the next set of items. If there are no additional items to return, the string is empty.' + description: Contains the output of DescribeVpcEndpointServices. + DescribeVpcEndpointsResult: + type: object + properties: + vpcEndpointSet: + allOf: + - $ref: '#/components/schemas/VpcEndpointSet' + - description: Information about the endpoints. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The token to use when requesting the next set of items. If there are no additional items to return, the string is empty.' + description: Contains the output of DescribeVpcEndpoints. + DescribeVpcPeeringConnectionsResult: + type: object + properties: + vpcPeeringConnectionSet: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionList' + - description: Information about the VPC peering connections. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + VpcPeeringConnectionId: + type: string + DescribeVpcsResult: + type: object + example: + Vpcs: + - CidrBlock: 10.0.0.0/16 + DhcpOptionsId: dopt-7a8b9c2d + InstanceTenancy: default + IsDefault: false + State: available + Tags: + - Key: Name + Value: MyVPC + VpcId: vpc-a01106c2 + properties: + vpcSet: + allOf: + - $ref: '#/components/schemas/VpcList' + - description: Information about one or more VPCs. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + DescribeVpnConnectionsResult: + type: object + properties: + vpnConnectionSet: + allOf: + - $ref: '#/components/schemas/VpnConnectionList' + - description: Information about one or more VPN connections. + description: Contains the output of DescribeVpnConnections. + VpnConnectionId: + type: string + DescribeVpnGatewaysResult: + type: object + properties: + vpnGatewaySet: + allOf: + - $ref: '#/components/schemas/VpnGatewayList' + - description: Information about one or more virtual private gateways. + description: Contains the output of DescribeVpnGateways. + VpnGatewayId: + type: string + DetachClassicLinkVpcResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DisableEbsEncryptionByDefaultResult: + type: object + properties: + ebsEncryptionByDefault: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The updated status of encryption by default. + DisableFastLaunchResult: + type: object + properties: + imageId: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the image for which faster-launching has been turned off. + resourceType: + allOf: + - $ref: '#/components/schemas/FastLaunchResourceType' + - description: 'The pre-provisioning resource type that must be cleaned after turning off faster launching for the Windows AMI. Supported values include: snapshot.' + snapshotConfiguration: + allOf: + - $ref: '#/components/schemas/FastLaunchSnapshotConfigurationResponse' + - description: Parameters that were used for faster launching for the Windows AMI before faster launching was turned off. This informs the clean-up process. + launchTemplate: + allOf: + - $ref: '#/components/schemas/FastLaunchLaunchTemplateSpecificationResponse' + - description: The launch template that was used to launch Windows instances from pre-provisioned snapshots. + maxParallelLaunches: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum number of parallel instances to launch for creating resources. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The owner of the Windows AMI for which faster launching was turned off. + state: + allOf: + - $ref: '#/components/schemas/FastLaunchStateCode' + - description: The current state of faster launching for the specified Windows AMI. + stateTransitionReason: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason that the state changed for faster launching for the Windows AMI. + stateTransitionTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time that the state changed for faster launching for the Windows AMI. + DisableFastSnapshotRestoresResult: + type: object + properties: + successful: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreSuccessSet' + - description: Information about the snapshots for which fast snapshot restores were successfully disabled. + unsuccessful: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreErrorSet' + - description: Information about the snapshots for which fast snapshot restores could not be disabled. + DisableImageDeprecationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DisableIpamOrganizationAdminAccountResult: + type: object + properties: + success: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The result of disabling the IPAM account. + DisableSerialConsoleAccessResult: + type: object + properties: + serialConsoleAccessEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, access to the EC2 serial console of all instances is enabled for your account. If false, access to the EC2 serial console of all instances is disabled for your account.' + DisableTransitGatewayRouteTablePropagationResult: + type: object + properties: + propagation: + allOf: + - $ref: '#/components/schemas/TransitGatewayPropagation' + - description: Information about route propagation. + DisableVpcClassicLinkResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DisableVpcClassicLinkDnsSupportResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DisassociateClientVpnTargetNetworkResult: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the target network association. + status: + allOf: + - $ref: '#/components/schemas/AssociationStatus' + - description: The current state of the target network association. + DisassociateEnclaveCertificateIamRoleResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + DisassociateIamInstanceProfileResult: + type: object + example: + IamInstanceProfileAssociation: + AssociationId: iip-assoc-05020b59952902f5f + IamInstanceProfile: + Arn: 'arn:aws:iam::123456789012:instance-profile/admin-role' + Id: AIPAI5IVIHMFFYY2DKV5Y + InstanceId: i-123456789abcde123 + State: disassociating + properties: + iamInstanceProfileAssociation: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociation' + - description: Information about the IAM instance profile association. + DisassociateInstanceEventWindowResult: + type: object + properties: + instanceEventWindow: + allOf: + - $ref: '#/components/schemas/InstanceEventWindow' + - description: Information about the event window. + DisassociateSubnetCidrBlockResult: + type: object + properties: + ipv6CidrBlockAssociation: + allOf: + - $ref: '#/components/schemas/SubnetIpv6CidrBlockAssociation' + - description: Information about the IPv6 CIDR block association. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + DisassociateTransitGatewayMulticastDomainResult: + type: object + properties: + associations: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainAssociations' + - description: Information about the association. + DisassociateTransitGatewayRouteTableResult: + type: object + properties: + association: + allOf: + - $ref: '#/components/schemas/TransitGatewayAssociation' + - description: Information about the association. + DisassociateTrunkInterfaceResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to Ensure Idempotency.' + DisassociateVpcCidrBlockResult: + type: object + properties: + ipv6CidrBlockAssociation: + allOf: + - $ref: '#/components/schemas/VpcIpv6CidrBlockAssociation' + - description: Information about the IPv6 CIDR block association. + cidrBlockAssociation: + allOf: + - $ref: '#/components/schemas/VpcCidrBlockAssociation' + - description: Information about the IPv4 CIDR block association. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + EnableEbsEncryptionByDefaultResult: + type: object + properties: + ebsEncryptionByDefault: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The updated status of encryption by default. + EnableFastLaunchResult: + type: object + properties: + imageId: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The image ID that identifies the Windows AMI for which faster launching was enabled. + resourceType: + allOf: + - $ref: '#/components/schemas/FastLaunchResourceType' + - description: The type of resource that was defined for pre-provisioning the Windows AMI for faster launching. + snapshotConfiguration: + allOf: + - $ref: '#/components/schemas/FastLaunchSnapshotConfigurationResponse' + - description: The configuration settings that were defined for creating and managing the pre-provisioned snapshots for faster launching of the Windows AMI. This property is returned when the associated resourceType is snapshot. + launchTemplate: + allOf: + - $ref: '#/components/schemas/FastLaunchLaunchTemplateSpecificationResponse' + - description: The launch template that is used when launching Windows instances from pre-provisioned snapshots. + maxParallelLaunches: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum number of parallel instances to launch for creating resources. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The owner ID for the Windows AMI for which faster launching was enabled. + state: + allOf: + - $ref: '#/components/schemas/FastLaunchStateCode' + - description: The current state of faster launching for the specified Windows AMI. + stateTransitionReason: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason that the state changed for faster launching for the Windows AMI. + stateTransitionTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time that the state changed for faster launching for the Windows AMI. + EnableFastSnapshotRestoresResult: + type: object + properties: + successful: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreSuccessSet' + - description: Information about the snapshots for which fast snapshot restores were successfully enabled. + unsuccessful: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreErrorSet' + - description: Information about the snapshots for which fast snapshot restores could not be enabled. + EnableImageDeprecationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + EnableIpamOrganizationAdminAccountResult: + type: object + properties: + success: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The result of enabling the IPAM account. + EnableSerialConsoleAccessResult: + type: object + properties: + serialConsoleAccessEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, access to the EC2 serial console of all instances is enabled for your account. If false, access to the EC2 serial console of all instances is disabled for your account.' + EnableTransitGatewayRouteTablePropagationResult: + type: object + properties: + propagation: + allOf: + - $ref: '#/components/schemas/TransitGatewayPropagation' + - description: Information about route propagation. + EnableVpcClassicLinkResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + EnableVpcClassicLinkDnsSupportResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ExportClientVpnClientCertificateRevocationListResult: + type: object + properties: + certificateRevocationList: + allOf: + - $ref: '#/components/schemas/String' + - description: Information about the client certificate revocation list. + status: + allOf: + - $ref: '#/components/schemas/ClientCertificateRevocationListStatus' + - description: The current state of the client certificate revocation list. + ExportClientVpnClientConfigurationResult: + type: object + properties: + clientConfiguration: + allOf: + - $ref: '#/components/schemas/String' + - description: The contents of the Client VPN endpoint configuration file. + ExportImageResult: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the image being exported. + diskImageFormat: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The disk image format for the exported image. + exportImageTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the export image task. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the image. + roleName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the role that grants VM Import/Export permission to export images to your Amazon S3 bucket. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: The percent complete of the export image task. + s3ExportLocation: + allOf: + - $ref: '#/components/schemas/ExportTaskS3Location' + - description: Information about the destination Amazon S3 bucket. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status of the export image task. The possible values are active, completed, deleting, and deleted.' + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The status message for the export image task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the export image task. + ExportTransitGatewayRoutesResult: + type: object + properties: + s3Location: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The URL of the exported file in Amazon S3. For example, s3://bucket_name/VPCTransitGateway/TransitGatewayRouteTables/file_name.' + GetAssociatedEnclaveCertificateIamRolesResult: + type: object + properties: + associatedRoleSet: + allOf: + - $ref: '#/components/schemas/AssociatedRolesList' + - description: Information about the associated IAM roles. + GetAssociatedIpv6PoolCidrsResult: + type: object + properties: + ipv6CidrAssociationSet: + allOf: + - $ref: '#/components/schemas/Ipv6CidrAssociationSet' + - description: Information about the IPv6 CIDR block associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetCapacityReservationUsageResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + capacityReservationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Capacity Reservation. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The type of instance for which the Capacity Reservation reserves capacity. + totalInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of instances for which the Capacity Reservation reserves capacity. + availableInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The remaining capacity. Indicates the number of instances that can be launched in the Capacity Reservation. + state: + allOf: + - $ref: '#/components/schemas/CapacityReservationState' + - description: '

The current state of the Capacity Reservation. A Capacity Reservation can be in one of the following states:

' + instanceUsageSet: + allOf: + - $ref: '#/components/schemas/InstanceUsageSet' + - description: Information about the Capacity Reservation usage. + GetCoipPoolUsageResult: + type: object + properties: + coipPoolId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the customer-owned address pool. + coipAddressUsageSet: + allOf: + - $ref: '#/components/schemas/CoipAddressUsageSet' + - description: Information about the address usage. + localGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway route table. + GetConsoleOutputResult: + type: object + example: + InstanceId: i-1234567890abcdef0 + Output: ... + Timestamp: '2018-05-25T21:23:53.000Z' + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + output: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The console output, base64-encoded. If you are using a command line tool, the tool decodes the output for you.' + timestamp: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time at which the output was last updated. + GetConsoleScreenshotResult: + type: object + properties: + imageData: + allOf: + - $ref: '#/components/schemas/String' + - description: The data that comprises the image. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + GetDefaultCreditSpecificationResult: + type: object + properties: + instanceFamilyCreditSpecification: + allOf: + - $ref: '#/components/schemas/InstanceFamilyCreditSpecification' + - description: The default credit option for CPU usage of the instance family. + GetEbsDefaultKmsKeyIdResult: + type: object + properties: + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the default KMS key for encryption by default. + GetEbsEncryptionByDefaultResult: + type: object + properties: + ebsEncryptionByDefault: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether encryption by default is enabled. + GetFlowLogsIntegrationTemplateResult: + type: object + properties: + result: + allOf: + - $ref: '#/components/schemas/String' + - description: The generated CloudFormation template. + AthenaIntegrationsSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AthenaIntegration' + - xml: + name: item + minItems: 1 + maxItems: 10 + GetGroupsForCapacityReservationResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + capacityReservationGroupSet: + allOf: + - $ref: '#/components/schemas/CapacityReservationGroupSet' + - description: Information about the resource groups to which the Capacity Reservation has been added. + GetHostReservationPurchasePreviewResult: + type: object + properties: + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency in which the totalUpfrontPrice and totalHourlyPrice amounts are specified. At this time, the only supported currency is USD.' + purchase: + allOf: + - $ref: '#/components/schemas/PurchaseSet' + - description: The purchase information of the Dedicated Host reservation and the Dedicated Hosts associated with it. + totalHourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The potential total hourly price of the reservation per hour. + totalUpfrontPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The potential total upfront price. This is billed immediately. + GetInstanceTypesFromInstanceRequirementsResult: + type: object + properties: + instanceTypeSet: + allOf: + - $ref: '#/components/schemas/InstanceTypeInfoFromInstanceRequirementsSet' + - description: The instance types with the specified instance attributes. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + ArchitectureType: + type: string + enum: + - i386 + - x86_64 + - arm64 + - x86_64_mac + VirtualizationType: + type: string + enum: + - hvm + - paravirtual + MemoryMiBRequest: + type: object + required: + - Min + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum amount of memory, in MiB. To specify no maximum limit, omit this parameter.' + description: 'The minimum and maximum amount of memory, in MiB.' + MemoryGiBPerVCpuRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The maximum amount of memory per vCPU, in GiB. To specify no maximum limit, omit this parameter.' + description: 'The minimum and maximum amount of memory per vCPU, in GiB.' + ExcludedInstanceTypeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExcludedInstanceType' + - xml: + name: item + minItems: 0 + maxItems: 400 + LocalStorage: + type: string + enum: + - included + - required + - excluded + BaselineEbsBandwidthMbpsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum baseline bandwidth, in Mbps. To specify no maximum limit, omit this parameter.' + description: 'The minimum and maximum baseline bandwidth to Amazon EBS, in Mbps. For more information, see Amazon EBS–optimized instances in the Amazon EC2 User Guide.' + AcceleratorCountRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of accelerators. To specify no maximum limit, omit this parameter. To exclude accelerator-enabled instance types, set Max to 0.' + description: 'The minimum and maximum number of accelerators (GPUs, FPGAs, or Amazon Web Services Inferentia chips) on an instance. To exclude accelerator-enabled instance types, set Max to 0.' + AcceleratorManufacturerSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AcceleratorManufacturer' + - xml: + name: item + AcceleratorTotalMemoryMiBRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum amount of accelerator memory, in MiB. To specify no maximum limit, omit this parameter.' + description: 'The minimum and maximum amount of total accelerator memory, in MiB.' + GetInstanceUefiDataResult: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance from which to retrieve the UEFI data. + uefiData: + allOf: + - $ref: '#/components/schemas/String' + - description: Base64 representation of the non-volatile UEFI variable store. + GetIpamAddressHistoryResult: + type: object + properties: + historyRecordSet: + allOf: + - $ref: '#/components/schemas/IpamAddressHistoryRecordSet' + - description: 'A historical record for a CIDR within an IPAM scope. If the CIDR is associated with an EC2 instance, you will see an object in the response for the instance and one for the network interface.' + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetIpamPoolAllocationsResult: + type: object + properties: + ipamPoolAllocationSet: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocationSet' + - description: The IPAM pool allocations you want information on. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetIpamPoolCidrsResult: + type: object + properties: + ipamPoolCidrSet: + allOf: + - $ref: '#/components/schemas/IpamPoolCidrSet' + - description: Information about the CIDRs provisioned to an IPAM pool. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetIpamResourceCidrsResult: + type: object + properties: + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ipamResourceCidrSet: + allOf: + - $ref: '#/components/schemas/IpamResourceCidrSet' + - description: The resource CIDRs. + GetLaunchTemplateDataResult: + type: object + example: + LaunchTemplateData: + BlockDeviceMappings: + - DeviceName: /dev/xvda + Ebs: + DeleteOnTermination: true + Encrypted: false + Iops: 100 + SnapshotId: snap-02594938353ef77d3 + VolumeSize: 8 + VolumeType: gp2 + EbsOptimized: false + ImageId: ami-32cf7b4a + InstanceType: t2.medium + KeyName: my-key-pair + Monitoring: + Enabled: false + NetworkInterfaces: + - AssociatePublicIpAddress: false + DeleteOnTermination: true + Description: '' + DeviceIndex: 0 + Groups: + - sg-d14e1bb4 + Ipv6Addresses: [] + NetworkInterfaceId: eni-4338b5a9 + PrivateIpAddress: 10.0.3.233 + PrivateIpAddresses: + - Primary: true + PrivateIpAddress: 10.0.3.233 + SubnetId: subnet-5264e837 + Placement: + AvailabilityZone: us-east-2b + GroupName: '' + Tenancy: default + properties: + launchTemplateData: + allOf: + - $ref: '#/components/schemas/ResponseLaunchTemplateData' + - description: The instance data. + GetManagedPrefixListAssociationsResult: + type: object + properties: + prefixListAssociationSet: + allOf: + - $ref: '#/components/schemas/PrefixListAssociationSet' + - description: Information about the associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetManagedPrefixListEntriesResult: + type: object + properties: + entrySet: + allOf: + - $ref: '#/components/schemas/PrefixListEntrySet' + - description: Information about the prefix list entries. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetNetworkInsightsAccessScopeAnalysisFindingsResult: + type: object + properties: + networkInsightsAccessScopeAnalysisId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisId' + - description: The ID of the Network Access Scope analysis. + analysisStatus: + allOf: + - $ref: '#/components/schemas/AnalysisStatus' + - description: The status of Network Access Scope Analysis. + analysisFindingSet: + allOf: + - $ref: '#/components/schemas/AccessScopeAnalysisFindingList' + - description: The findings associated with Network Access Scope Analysis. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetNetworkInsightsAccessScopeContentResult: + type: object + properties: + networkInsightsAccessScopeContent: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeContent' + - description: The Network Access Scope content. + GetPasswordDataResult: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Windows instance. + passwordData: + allOf: + - $ref: '#/components/schemas/String' + - description: The password of the instance. Returns an empty string if the password is not available. + timestamp: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the data was last updated. + GetReservedInstancesExchangeQuoteResult: + type: object + properties: + currencyCode: + allOf: + - $ref: '#/components/schemas/String' + - description: The currency of the transaction. + isValidExchange: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, the exchange is valid. If false, the exchange cannot be completed.' + outputReservedInstancesWillExpireAt: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The new end date of the reservation term. + paymentDue: + allOf: + - $ref: '#/components/schemas/String' + - description: The total true upfront charge for the exchange. + reservedInstanceValueRollup: + allOf: + - $ref: '#/components/schemas/ReservationValue' + - description: The cost associated with the Reserved Instance. + reservedInstanceValueSet: + allOf: + - $ref: '#/components/schemas/ReservedInstanceReservationValueSet' + - description: The configuration of your Convertible Reserved Instances. + targetConfigurationValueRollup: + allOf: + - $ref: '#/components/schemas/ReservationValue' + - description: The cost associated with the Reserved Instance. + targetConfigurationValueSet: + allOf: + - $ref: '#/components/schemas/TargetReservationValueSet' + - description: The values of the target Convertible Reserved Instances. + validationFailureReason: + allOf: + - $ref: '#/components/schemas/String' + - description: Describes the reason why the exchange cannot be completed. + description: Contains the output of GetReservedInstancesExchangeQuote. + GetSerialConsoleAccessStatusResult: + type: object + properties: + serialConsoleAccessEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, access to the EC2 serial console of all instances is enabled for your account. If false, access to the EC2 serial console of all instances is disabled for your account.' + GetSpotPlacementScoresResult: + type: object + properties: + spotPlacementScoreSet: + allOf: + - $ref: '#/components/schemas/SpotPlacementScores' + - description: '

The Spot placement score for the top 10 Regions or Availability Zones, scored on a scale from 1 to 10. Each score
 reflects how likely it is that each Region or Availability Zone will succeed at fulfilling the specified target capacity
 at the time of the Spot placement score request. A score of 10 means that your Spot capacity request is highly likely to succeed in that Region or Availability Zone.

If you request a Spot placement score for Regions, a high score assumes that your fleet request will be configured to use all Availability Zones and the capacity-optimized allocation strategy. If you request a Spot placement score for Availability Zones, a high score assumes that your fleet request will be configured to use a single Availability Zone and the capacity-optimized allocation strategy.

Different
 Regions or Availability Zones might return the same score.

The Spot placement score serves as a recommendation only. No score guarantees that your Spot request will be fully or partially fulfilled.

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + ArchitectureTypeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ArchitectureType' + - xml: + name: item + minItems: 0 + maxItems: 3 + InstanceRequirementsRequest: + type: object + required: + - VCpuCount + - MemoryMiB + properties: + undefined: + allOf: + - $ref: '#/components/schemas/MemoryMiBRequest' + - description: 'The minimum and maximum amount of memory, in MiB.' + CpuManufacturer: + allOf: + - $ref: '#/components/schemas/MemoryGiBPerVCpuRequest' + - description: '

The minimum and maximum amount of memory per vCPU, in GiB.

Default: No minimum or maximum limits

' + ExcludedInstanceType: + allOf: + - $ref: '#/components/schemas/ExcludedInstanceTypeSet' + - description: '

The instance types to exclude. You can use strings with one or more wild cards, represented by an asterisk (*), to exclude an instance family, type, size, or generation. The following are examples: m5.8xlarge, c5*.*, m5a.*, r*, *3*.

For example, if you specify c5*,Amazon EC2 will exclude the entire C5 instance family, which includes all C5a and C5n instance types. If you specify m5a.*, Amazon EC2 will exclude all the M5a instance types, but not the M5n instance types.

Default: No excluded instance types

' + InstanceGeneration: + allOf: + - $ref: '#/components/schemas/LocalStorage' + - description: '

Indicates whether instance types with instance store volumes are included, excluded, or required. For more information, Amazon EC2 instance store in the Amazon EC2 User Guide.

Default: included

' + LocalStorageType: + allOf: + - $ref: '#/components/schemas/BaselineEbsBandwidthMbpsRequest' + - description: '

The minimum and maximum baseline bandwidth to Amazon EBS, in Mbps. For more information, see Amazon EBS–optimized instances in the Amazon EC2 User Guide.

Default: No minimum or maximum limits

' + AcceleratorType: + allOf: + - $ref: '#/components/schemas/AcceleratorCountRequest' + - description: '

The minimum and maximum number of accelerators (GPUs, FPGAs, or Amazon Web Services Inferentia chips) on an instance.

To exclude accelerator-enabled instance types, set Max to 0.

Default: No minimum or maximum limits

' + AcceleratorManufacturer: + allOf: + - $ref: '#/components/schemas/AcceleratorManufacturerSet' + - description: '

Indicates whether instance types must have accelerators by specific manufacturers.

Default: Any manufacturer

' + AcceleratorName: + allOf: + - $ref: '#/components/schemas/AcceleratorTotalMemoryMiBRequest' + - description: '

The minimum and maximum amount of total accelerator memory, in MiB.

Default: No minimum or maximum limits

' + description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with these attributes.

When you specify multiple parameters, you get instance types that satisfy all of the specified parameters. If you specify multiple values for a parameter, you get instance types that satisfy any of the specified values.

You must specify VCpuCount and MemoryMiB. All other parameters are optional. Any unspecified optional parameter is set to its default.

For more information, see Attribute-based instance type selection for EC2 Fleet, Attribute-based instance type selection for Spot Fleet, and Spot placement score in the Amazon EC2 User Guide.

' + GetSubnetCidrReservationsResult: + type: object + properties: + subnetIpv4CidrReservationSet: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservationList' + - description: Information about the IPv4 subnet CIDR reservations. + subnetIpv6CidrReservationSet: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservationList' + - description: Information about the IPv6 subnet CIDR reservations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetTransitGatewayAttachmentPropagationsResult: + type: object + properties: + transitGatewayAttachmentPropagations: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentPropagationList' + - description: Information about the propagation route tables. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetTransitGatewayMulticastDomainAssociationsResult: + type: object + properties: + multicastDomainAssociations: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainAssociationList' + - description: Information about the multicast domain associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetTransitGatewayPrefixListReferencesResult: + type: object + properties: + transitGatewayPrefixListReferenceSet: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListReferenceSet' + - description: Information about the prefix list references. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetTransitGatewayRouteTableAssociationsResult: + type: object + properties: + associations: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableAssociationList' + - description: Information about the associations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetTransitGatewayRouteTablePropagationsResult: + type: object + properties: + transitGatewayRouteTablePropagations: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTablePropagationList' + - description: Information about the route table propagations. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + GetVpnConnectionDeviceSampleConfigurationResult: + type: object + properties: + vpnConnectionDeviceSampleConfiguration: + allOf: + - $ref: '#/components/schemas/VpnConnectionDeviceSampleConfiguration' + - description: Sample configuration file for the specified customer gateway device. + GetVpnConnectionDeviceTypesResult: + type: object + properties: + vpnConnectionDeviceTypeSet: + allOf: + - $ref: '#/components/schemas/VpnConnectionDeviceTypeList' + - description: List of customer gateway devices that have a sample configuration file available for use. + nextToken: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: 'The NextToken value to include in a future GetVpnConnectionDeviceTypes request. When the results of a GetVpnConnectionDeviceTypes request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return.' + ImportClientVpnClientCertificateRevocationListResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ImportImageResult: + type: object + properties: + architecture: + allOf: + - $ref: '#/components/schemas/String' + - description: The architecture of the virtual machine. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the import task. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the AMI is encrypted. + hypervisor: + allOf: + - $ref: '#/components/schemas/String' + - description: The target hypervisor of the import task. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Machine Image (AMI) created by the import task. + importTaskId: + allOf: + - $ref: '#/components/schemas/ImportImageTaskId' + - description: The task ID of the import image task. + kmsKeyId: + allOf: + - $ref: '#/components/schemas/KmsKeyId' + - description: The identifier for the symmetric KMS key that was used to create the encrypted AMI. + licenseType: + allOf: + - $ref: '#/components/schemas/String' + - description: The license type of the virtual machine. + platform: + allOf: + - $ref: '#/components/schemas/String' + - description: The operating system of the virtual machine. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: The progress of the task. + snapshotDetailSet: + allOf: + - $ref: '#/components/schemas/SnapshotDetailList' + - description: Information about the snapshots. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief status of the task. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: A detailed status message of the import task. + licenseSpecifications: + allOf: + - $ref: '#/components/schemas/ImportImageLicenseSpecificationListResponse' + - description: The ARNs of the license configurations. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the import image task. + usageOperation: + allOf: + - $ref: '#/components/schemas/String' + - description: The usage operation value. + ImageDiskContainer: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/UserBucket' + - description: The S3 bucket for the disk image. + description: Describes the disk container object for an import image task. + ImportImageLicenseConfigurationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of a license configuration. + description: The request information of license configurations. + ImportInstanceResult: + type: object + properties: + conversionTask: + allOf: + - $ref: '#/components/schemas/ConversionTask' + - description: Information about the conversion task. + DiskImage: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeDetail' + - description: Information about the volume. + description: Describes a disk image. + ArchitectureValues: + type: string + enum: + - i386 + - x86_64 + - arm64 + - x86_64_mac + SecurityGroupStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupName' + - xml: + name: SecurityGroup + ShutdownBehavior: + type: string + enum: + - stop + - terminate + Placement: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Availability Zone of the instance.

If not specified, an Availability Zone will be automatically chosen for you based on the load balancing criteria for the Region.

This parameter is not supported by CreateFleet.

' + affinity: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The affinity setting for the instance on the Dedicated Host. This parameter is not supported for the ImportInstance command.

This parameter is not supported by CreateFleet.

' + groupName: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: The name of the placement group the instance is in. + partitionNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of the partition that the instance is in. Valid only if the placement group strategy is set to partition.

This parameter is not supported by CreateFleet.

' + hostId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The ID of the Dedicated Host on which the instance resides. This parameter is not supported for the ImportInstance command.

This parameter is not supported by CreateFleet.

' + tenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: '

The tenancy of the instance (if the instance is running in a VPC). An instance with a tenancy of dedicated runs on single-tenant hardware. The host tenancy is not supported for the ImportInstance command.

This parameter is not supported by CreateFleet.

T3 instances that use the unlimited CPU credit option do not support host tenancy.

' + spreadDomain: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Reserved for future use.

This parameter is not supported by CreateFleet.

' + hostResourceGroupArn: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The ARN of the host resource group in which to launch the instances. If you specify a host resource group ARN, omit the Tenancy parameter or set it to host.

This parameter is not supported by CreateFleet.

' + description: Describes the placement of an instance. + UserData: + type: object + properties: + data: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The user data. If you are using an Amazon Web Services SDK or command line tool, Base64-encoding is performed for you, and you can load the text from a file. Otherwise, you must provide Base64-encoded text.' + description: Describes the user data for an instance. + ImportKeyPairResult: + type: object + properties: + keyFingerprint: + allOf: + - $ref: '#/components/schemas/String' + - description: '' + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: The key pair name that you provided. + keyPairId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resulting key pair. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags applied to the imported key pair. + ImportSnapshotResult: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the import snapshot task. + importTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the import snapshot task. + snapshotTaskDetail: + allOf: + - $ref: '#/components/schemas/SnapshotTaskDetail' + - description: Information about the import snapshot task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the import snapshot task. + UserBucket: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The file name of the disk image. + description: Describes the Amazon S3 bucket for the disk image. + ImportVolumeResult: + type: object + properties: + conversionTask: + allOf: + - $ref: '#/components/schemas/ConversionTask' + - description: Information about the conversion task. + ListImagesInRecycleBinResult: + type: object + properties: + imageSet: + allOf: + - $ref: '#/components/schemas/ImageRecycleBinInfoList' + - description: Information about the AMIs. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ListSnapshotsInRecycleBinResult: + type: object + properties: + snapshotSet: + allOf: + - $ref: '#/components/schemas/SnapshotRecycleBinInfoList' + - description: Information about the snapshots. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + ModifyAddressAttributeResult: + type: object + properties: + address: + allOf: + - $ref: '#/components/schemas/AddressAttribute' + - description: Information about the Elastic IP address. + ModifyAvailabilityZoneGroupResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Is true if the request succeeds, and an error otherwise.' + ModifyCapacityReservationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyCapacityReservationFleetResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyClientVpnEndpointResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyDefaultCreditSpecificationResult: + type: object + properties: + instanceFamilyCreditSpecification: + allOf: + - $ref: '#/components/schemas/InstanceFamilyCreditSpecification' + - description: The default credit option for CPU usage of the instance family. + ModifyEbsDefaultKmsKeyIdResult: + type: object + properties: + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the default KMS key for encryption by default. + ModifyFleetResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If the request succeeds, the response returns true. If the request fails, no response is returned, and instead an error message is returned.' + ModifyFpgaImageAttributeResult: + type: object + properties: + fpgaImageAttribute: + allOf: + - $ref: '#/components/schemas/FpgaImageAttribute' + - description: Information about the attribute. + LoadPermissionListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/LoadPermissionRequest' + - xml: + name: item + ModifyHostsResult: + type: object + properties: + successful: + allOf: + - $ref: '#/components/schemas/ResponseHostIdList' + - description: The IDs of the Dedicated Hosts that were successfully modified. + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemList' + - description: The IDs of the Dedicated Hosts that could not be modified. Check whether the setting you requested can be used. + LaunchPermissionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchPermission' + - xml: + name: item + InstanceBlockDeviceMappingSpecification: + type: object + properties: + deviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The device name (for example, /dev/sdh or xvdh).' + ebs: + allOf: + - $ref: '#/components/schemas/EbsInstanceBlockDeviceSpecification' + - description: Parameters used to automatically set up EBS volumes when the instance is launched. + noDevice: + allOf: + - $ref: '#/components/schemas/String' + - description: suppress the specified device included in the block device mapping. + virtualName: + allOf: + - $ref: '#/components/schemas/String' + - description: The virtual device name. + description: Describes a block device mapping entry. + Blob: + type: string + ModifyInstanceCapacityReservationAttributesResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + CapacityReservationTarget: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the Capacity Reservation resource group in which to run the instance. + description: Describes a target Capacity Reservation or Capacity Reservation group. + ModifyInstanceCreditSpecificationResult: + type: object + properties: + successfulInstanceCreditSpecificationSet: + allOf: + - $ref: '#/components/schemas/SuccessfulInstanceCreditSpecificationSet' + - description: Information about the instances whose credit option for CPU usage was successfully modified. + unsuccessfulInstanceCreditSpecificationSet: + allOf: + - $ref: '#/components/schemas/UnsuccessfulInstanceCreditSpecificationSet' + - description: Information about the instances whose credit option for CPU usage was not modified. + InstanceCreditSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description:

The credit option for CPU usage of the instance. Valid values are standard and unlimited.

T3 instances with host tenancy do not support the unlimited CPU credit option.

+ description: Describes the credit option for CPU usage of a burstable performance instance. + ModifyInstanceEventStartTimeResult: + type: object + properties: + event: + $ref: '#/components/schemas/InstanceStatusEvent' + ModifyInstanceEventWindowResult: + type: object + properties: + instanceEventWindow: + allOf: + - $ref: '#/components/schemas/InstanceEventWindow' + - description: Information about the event window. + ModifyInstanceMaintenanceOptionsResult: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + autoRecovery: + allOf: + - $ref: '#/components/schemas/InstanceAutoRecoveryState' + - description: Provides information on the current automatic recovery behavior of your instance. + ModifyInstanceMetadataOptionsResult: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + instanceMetadataOptions: + allOf: + - $ref: '#/components/schemas/InstanceMetadataOptionsResponse' + - description: The metadata options for the instance. + ModifyInstancePlacementResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Is true if the request succeeds, and an error otherwise.' + ModifyIpamResult: + type: object + properties: + ipam: + allOf: + - $ref: '#/components/schemas/Ipam' + - description: The results of the modification. + RemoveIpamOperatingRegion: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the operating Region you want to remove. + description: '

Remove an operating Region from an IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide

' + ModifyIpamPoolResult: + type: object + properties: + ipamPool: + allOf: + - $ref: '#/components/schemas/IpamPool' + - description: The results of the modification. + ModifyIpamResourceCidrResult: + type: object + properties: + ipamResourceCidr: + $ref: '#/components/schemas/IpamResourceCidr' + ModifyIpamScopeResult: + type: object + properties: + ipamScope: + allOf: + - $ref: '#/components/schemas/IpamScope' + - description: The results of the modification. + ModifyLaunchTemplateResult: + type: object + example: + LaunchTemplate: + CreateTime: '2017-12-01T13:35:46.000Z' + CreatedBy: 'arn:aws:iam::123456789012:root' + DefaultVersionNumber: 2 + LatestVersionNumber: 2 + LaunchTemplateId: lt-0abcd290751193123 + LaunchTemplateName: WebServers + properties: + launchTemplate: + allOf: + - $ref: '#/components/schemas/LaunchTemplate' + - description: Information about the launch template. + ModifyManagedPrefixListResult: + type: object + properties: + prefixList: + allOf: + - $ref: '#/components/schemas/ManagedPrefixList' + - description: Information about the prefix list. + RemovePrefixListEntry: + type: object + required: + - Cidr + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block. + description: An entry for a prefix list. + NetworkInterfaceAttachmentId: + type: string + ModifyPrivateDnsNameOptionsResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyReservedInstancesResult: + type: object + properties: + reservedInstancesModificationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID for the modification. + description: Contains the output of ModifyReservedInstances. + ReservedInstancesConfiguration: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone for the modified Reserved Instances. + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description:

The number of modified Reserved Instances.

This is a required field for a request.

+ instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type for the modified Reserved Instances. + platform: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The network platform of the modified Reserved Instances, which is either EC2-Classic or EC2-VPC.' + scope: + allOf: + - $ref: '#/components/schemas/scope' + - description: Whether the Reserved Instance is applied to instances in a Region or instances in a specific Availability Zone. + description: Describes the configuration settings for the modified Reserved Instances. + ModifySecurityGroupRulesResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + SecurityGroupRuleUpdate: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleRequest' + - description: Information about the security group rule. + description: Describes an update to a security group rule. + CreateVolumePermissionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/CreateVolumePermission' + - xml: + name: item + ModifySnapshotTierResult: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + tieringStartTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the archive process was started. + ModifySpotFleetRequestResponse: + type: object + example: + Return: true + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If the request succeeds, the response returns true. If the request fails, no response is returned, and instead an error message is returned.' + description: Contains the output of ModifySpotFleetRequest. + LaunchTemplateConfig: + type: object + properties: + launchTemplateSpecification: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateSpecification' + - description: The launch template. + overrides: + allOf: + - $ref: '#/components/schemas/LaunchTemplateOverridesList' + - description: Any parameters that you specify override the same parameters in the launch template. + description: Describes a launch template and overrides. + ModifyTrafficMirrorFilterNetworkServicesResult: + type: object + properties: + trafficMirrorFilter: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilter' + - description: The Traffic Mirror filter that the network service is associated with. + TrafficMirrorNetworkService: + type: string + enum: + - amazon-dns + ModifyTrafficMirrorFilterRuleResult: + type: object + properties: + trafficMirrorFilterRule: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterRule' + - description: Modifies a Traffic Mirror rule. + TrafficMirrorFilterRuleField: + type: string + enum: + - destination-port-range + - source-port-range + - protocol + - description + ModifyTrafficMirrorSessionResult: + type: object + properties: + trafficMirrorSession: + allOf: + - $ref: '#/components/schemas/TrafficMirrorSession' + - description: Information about the Traffic Mirror session. + TrafficMirrorSessionField: + type: string + enum: + - packet-length + - description + - virtual-network-id + ModifyTransitGatewayResult: + type: object + properties: + transitGateway: + $ref: '#/components/schemas/TransitGateway' + ModifyTransitGatewayPrefixListReferenceResult: + type: object + properties: + transitGatewayPrefixListReference: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListReference' + - description: Information about the prefix list reference. + ModifyTransitGatewayVpcAttachmentResult: + type: object + properties: + transitGatewayVpcAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachment' + - description: Information about the modified attachment. + ModifyVolumeResult: + type: object + properties: + volumeModification: + allOf: + - $ref: '#/components/schemas/VolumeModification' + - description: Information about the volume modification. + ModifyVpcEndpointResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyVpcEndpointConnectionNotificationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyVpcEndpointServiceConfigurationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyVpcEndpointServicePayerResponsibilityResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyVpcEndpointServicePermissionsResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ModifyVpcPeeringConnectionOptionsResult: + type: object + properties: + accepterPeeringConnectionOptions: + allOf: + - $ref: '#/components/schemas/PeeringConnectionOptions' + - description: Information about the VPC peering connection options for the accepter VPC. + requesterPeeringConnectionOptions: + allOf: + - $ref: '#/components/schemas/PeeringConnectionOptions' + - description: Information about the VPC peering connection options for the requester VPC. + ModifyVpcTenancyResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + ModifyVpnConnectionResult: + type: object + properties: + vpnConnection: + $ref: '#/components/schemas/VpnConnection' + ModifyVpnConnectionOptionsResult: + type: object + properties: + vpnConnection: + $ref: '#/components/schemas/VpnConnection' + ModifyVpnTunnelCertificateResult: + type: object + properties: + vpnConnection: + $ref: '#/components/schemas/VpnConnection' + ModifyVpnTunnelOptionsResult: + type: object + properties: + vpnConnection: + $ref: '#/components/schemas/VpnConnection' + Phase1EncryptionAlgorithmsRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase1EncryptionAlgorithmsRequestListValue' + - xml: + name: item + Phase2EncryptionAlgorithmsRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase2EncryptionAlgorithmsRequestListValue' + - xml: + name: item + Phase1IntegrityAlgorithmsRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase1IntegrityAlgorithmsRequestListValue' + - xml: + name: item + Phase2IntegrityAlgorithmsRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase2IntegrityAlgorithmsRequestListValue' + - xml: + name: item + Phase1DHGroupNumbersRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase1DHGroupNumbersRequestListValue' + - xml: + name: item + Phase2DHGroupNumbersRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase2DHGroupNumbersRequestListValue' + - xml: + name: item + MonitorInstancesResult: + type: object + properties: + instancesSet: + allOf: + - $ref: '#/components/schemas/InstanceMonitoringList' + - description: The monitoring information. + MoveAddressToVpcResult: + type: object + example: + Status: MoveInProgress + properties: + allocationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The allocation ID for the Elastic IP address. + status: + allOf: + - $ref: '#/components/schemas/Status' + - description: The status of the move of the IP address. + MoveByoipCidrToIpamResult: + type: object + properties: + byoipCidr: + $ref: '#/components/schemas/ByoipCidr' + ProvisionByoipCidrResult: + type: object + properties: + byoipCidr: + allOf: + - $ref: '#/components/schemas/ByoipCidr' + - description: Information about the address range. + ProvisionIpamPoolCidrResult: + type: object + properties: + ipamPoolCidr: + allOf: + - $ref: '#/components/schemas/IpamPoolCidr' + - description: Information about the provisioned CIDR. + ProvisionPublicIpv4PoolCidrResult: + type: object + properties: + poolId: + allOf: + - $ref: '#/components/schemas/Ipv4PoolEc2Id' + - description: The ID of the pool that you want to provision the CIDR to. + poolAddressRange: + $ref: '#/components/schemas/PublicIpv4PoolRange' + PurchaseHostReservationResult: + type: object + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency in which the totalUpfrontPrice and totalHourlyPrice amounts are specified. At this time, the only supported currency is USD.' + purchase: + allOf: + - $ref: '#/components/schemas/PurchaseSet' + - description: Describes the details of the purchase. + totalHourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The total hourly price of the reservation calculated per hour. + totalUpfrontPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The total amount charged to your account when you purchase the reservation. + PurchaseReservedInstancesOfferingResult: + type: object + properties: + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IDs of the purchased Reserved Instances. If your purchase crosses into a discounted pricing tier, the final Reserved Instances IDs might change. For more information, see Crossing pricing tiers in the Amazon Elastic Compute Cloud User Guide.' + description: Contains the output of PurchaseReservedInstancesOffering. + Double: + type: number + format: double + CurrencyCodeValues: + type: string + enum: + - USD + PurchaseScheduledInstancesResult: + type: object + example: + ScheduledInstanceSet: + - AvailabilityZone: us-west-2b + CreateDate: '2016-01-25T21:43:38.612Z' + HourlyPrice: '0.095' + InstanceCount: 1 + InstanceType: c4.large + NetworkPlatform: EC2-VPC + NextSlotStartTime: '2016-01-31T09:00:00Z' + Platform: Linux/UNIX + Recurrence: + Frequency: Weekly + Interval: 1 + OccurrenceDaySet: + - 1 + OccurrenceRelativeToEnd: false + OccurrenceUnit: '' + ScheduledInstanceId: sci-1234-1234-1234-1234-123456789012 + SlotDurationInHours: 32 + TermEndDate: '2017-01-31T09:00:00Z' + TermStartDate: '2016-01-31T09:00:00Z' + TotalScheduledInstanceHours: 1696 + properties: + scheduledInstanceSet: + allOf: + - $ref: '#/components/schemas/PurchasedScheduledInstanceSet' + - description: Information about the Scheduled Instances. + description: Contains the output of PurchaseScheduledInstances. + PurchaseRequest: + type: object + required: + - InstanceCount + - PurchaseToken + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The purchase token. + description: Describes a request to purchase Scheduled Instances. + RegisterImageResult: + type: object + properties: + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the newly registered AMI. + description: Contains the output of RegisterImage. + RegisterInstanceEventNotificationAttributesResult: + type: object + properties: + instanceTagAttribute: + allOf: + - $ref: '#/components/schemas/InstanceTagNotificationAttribute' + - description: The resulting set of tag keys. + RegisterTransitGatewayMulticastGroupMembersResult: + type: object + properties: + registeredMulticastGroupMembers: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastRegisteredGroupMembers' + - description: Information about the registered transit gateway multicast group members. + RegisterTransitGatewayMulticastGroupSourcesResult: + type: object + properties: + registeredMulticastGroupSources: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastRegisteredGroupSources' + - description: Information about the transit gateway multicast group sources. + RejectTransitGatewayMulticastDomainAssociationsResult: + type: object + properties: + associations: + $ref: '#/components/schemas/TransitGatewayMulticastDomainAssociations' + RejectTransitGatewayPeeringAttachmentResult: + type: object + properties: + transitGatewayPeeringAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayPeeringAttachment' + - description: The transit gateway peering attachment. + RejectTransitGatewayVpcAttachmentResult: + type: object + properties: + transitGatewayVpcAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachment' + - description: Information about the attachment. + RejectVpcEndpointConnectionsResult: + type: object + properties: + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemSet' + - description: 'Information about the endpoints that were not rejected, if applicable.' + RejectVpcPeeringConnectionResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + ReleaseHostsResult: + type: object + properties: + successful: + allOf: + - $ref: '#/components/schemas/ResponseHostIdList' + - description: The IDs of the Dedicated Hosts that were successfully released. + unsuccessful: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemList' + - description: 'The IDs of the Dedicated Hosts that could not be released, including an error message.' + ReleaseIpamPoolAllocationResult: + type: object + properties: + success: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates if the release was successful. + ReplaceIamInstanceProfileAssociationResult: + type: object + properties: + iamInstanceProfileAssociation: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociation' + - description: Information about the IAM instance profile association. + ReplaceNetworkAclAssociationResult: + type: object + example: + NewAssociationId: aclassoc-3999875b + properties: + newAssociationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the new association. + ReplaceRouteTableAssociationResult: + type: object + example: + NewAssociationId: rtbassoc-3a1f0f58 + properties: + newAssociationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the new association. + associationState: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationState' + - description: The state of the association. + ReplaceTransitGatewayRouteResult: + type: object + properties: + route: + allOf: + - $ref: '#/components/schemas/TransitGatewayRoute' + - description: Information about the modified route. + ReportInstanceReasonCodes: + type: string + enum: + - instance-stuck-in-state + - unresponsive + - not-accepting-credentials + - password-not-available + - performance-network + - performance-instance-store + - performance-ebs-volume + - performance-other + - other + RequestSpotFleetResponse: + type: object + example: + SpotFleetRequestId: sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE + properties: + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Fleet request. + description: Contains the output of RequestSpotFleet. + AllocationStrategy: + type: string + enum: + - lowestPrice + - diversified + - capacityOptimized + - capacityOptimizedPrioritized + OnDemandAllocationStrategy: + type: string + enum: + - lowestPrice + - prioritized + SpotMaintenanceStrategies: + type: object + properties: + capacityRebalance: + allOf: + - $ref: '#/components/schemas/SpotCapacityRebalance' + - description: 'The Spot Instance replacement strategy to use when Amazon EC2 emits a signal that your Spot Instance is at an elevated risk of being interrupted. For more information, see Capacity rebalancing in the Amazon EC2 User Guide for Linux Instances.' + description: The strategies for managing your Spot Instances that are at an elevated risk of being interrupted. + ExcessCapacityTerminationPolicy: + type: string + enum: + - noTermination + - default + LaunchSpecsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotFleetLaunchSpecification' + - xml: + name: item + LaunchTemplateConfigList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateConfig' + - xml: + name: item + FleetType: + type: string + enum: + - request + - maintain + - instant + InstanceInterruptionBehavior: + type: string + enum: + - hibernate + - stop + - terminate + LoadBalancersConfig: + type: object + properties: + classicLoadBalancersConfig: + allOf: + - $ref: '#/components/schemas/ClassicLoadBalancersConfig' + - description: The Classic Load Balancers. + targetGroupsConfig: + allOf: + - $ref: '#/components/schemas/TargetGroupsConfig' + - description: The target groups. + description: Describes the Classic Load Balancers and target groups to attach to a Spot Fleet request. + TagSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagSpecification' + - xml: + name: item + RequestSpotInstancesResult: + type: object + properties: + spotInstanceRequestSet: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequestList' + - description: One or more Spot Instance requests. + description: Contains the output of RequestSpotInstances. + RequestSpotLaunchSpecificationSecurityGroupIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + RequestSpotLaunchSpecificationSecurityGroupList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + BlockDeviceMappingList: + type: array + items: + allOf: + - $ref: '#/components/schemas/BlockDeviceMapping' + - xml: + name: item + IamInstanceProfileSpecification: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the instance profile. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the instance profile. + description: Describes an IAM instance profile. + KernelId: + type: string + RunInstancesMonitoringEnabled: + type: object + required: + - Enabled + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether detailed monitoring is enabled. Otherwise, basic monitoring is enabled.' + description: Describes the monitoring of an instance. + InstanceNetworkInterfaceSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecification' + - xml: + name: item + SpotPlacement: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Availability Zone.

[Spot Fleet only] To specify multiple Availability Zones, separate them using commas; for example, "us-west-2a, us-west-2b".

' + groupName: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: The name of the placement group. + tenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: The tenancy of the instance (if the instance is running in a VPC). An instance with a tenancy of dedicated runs on single-tenant hardware. The host tenancy is not supported for Spot Instances. + description: Describes Spot Instance placement. + RamdiskId: + type: string + ResetAddressAttributeResult: + type: object + properties: + address: + allOf: + - $ref: '#/components/schemas/AddressAttribute' + - description: Information about the IP address. + ResetEbsDefaultKmsKeyIdResult: + type: object + properties: + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the default KMS key for EBS encryption by default. + ResetFpgaImageAttributeResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Is true if the request succeeds, and an error otherwise.' + RestoreAddressToClassicResult: + type: object + example: + PublicIp: 198.51.100.0 + Status: MoveInProgress + properties: + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The Elastic IP address. + status: + allOf: + - $ref: '#/components/schemas/Status' + - description: The move status for the IP address. + RestoreImageFromRecycleBinResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + RestoreManagedPrefixListVersionResult: + type: object + properties: + prefixList: + allOf: + - $ref: '#/components/schemas/ManagedPrefixList' + - description: Information about the prefix list. + RestoreSnapshotFromRecycleBinResult: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the Outpost on which the snapshot is stored. For more information, see Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the snapshot. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the snapshot is encrypted. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the EBS snapshot. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The progress of the snapshot, as a percentage.' + startTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time stamp when the snapshot was initiated. + status: + allOf: + - $ref: '#/components/schemas/SnapshotState' + - description: The state of the snapshot. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume that was used to create the snapshot. + volumeSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The size of the volume, in GiB.' + RestoreSnapshotTierResult: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + restoreStartTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the snapshot restore process started. + restoreDuration: + allOf: + - $ref: '#/components/schemas/Integer' + - description: For temporary restores only. The number of days for which the archived snapshot is temporarily restored. + isPermanentRestore: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the snapshot is permanently restored. true indicates a permanent restore. false indicates a temporary restore. + RevokeClientVpnIngressResult: + type: object + properties: + status: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthorizationRuleStatus' + - description: The current state of the authorization rule. + RevokeSecurityGroupEgressResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + unknownIpPermissionSet: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: 'The outbound rules that were unknown to the service. In some cases, unknownIpPermissionSet might be in a different format from the request parameter. ' + RevokeSecurityGroupIngressResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + unknownIpPermissionSet: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: 'The inbound rules that were unknown to the service. In some cases, unknownIpPermissionSet might be in a different format from the request parameter. ' + Reservation: + type: object + example: {} + properties: + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: '[EC2-Classic only] The security groups.' + instancesSet: + allOf: + - $ref: '#/components/schemas/InstanceList' + - description: The instances. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the reservation. + requesterId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the requester that launched the instances on your behalf (for example, Amazon Web Services Management Console or Auto Scaling).' + reservationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the reservation. + description: 'Describes a launch request for one or more instances, and includes owner, requester, and security group information that applies to all instances in the launch request.' + Tenancy: + type: string + enum: + - default + - dedicated + - host + InstanceNetworkInterfaceSpecification: + type: object + properties: + associatePublicIpAddress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether to assign a public IPv4 address to an instance you launch in a VPC. The public IP address can only be assigned to a network interface for eth0, and can only be assigned to a new network interface, not an existing one. You cannot specify more than one network interface in the request. If launching into a default subnet, the default value is true.' + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If set to true, the interface is deleted when the instance is terminated. You can specify true only if creating a new network interface when launching an instance.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the network interface. Applies only if creating a network interface when launching an instance. + deviceIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The position of the network interface in the attachment order. A primary network interface has a device index of 0.

If you specify a network interface when launching an instance, you must specify the device index.

' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: The IDs of the security groups for the network interface. Applies only if creating a network interface when launching an instance. + ipv6AddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: A number of IPv6 addresses to assign to the network interface. Amazon EC2 chooses the IPv6 addresses from the range of the subnet. You cannot specify this option and the option to assign specific IPv6 addresses in the same request. You can specify this option if you've specified a minimum number of instances to launch. + ipv6AddressesSet: + allOf: + - $ref: '#/components/schemas/InstanceIpv6AddressList' + - description: One or more IPv6 addresses to assign to the network interface. You cannot specify this option and the option to assign a number of IPv6 addresses in the same request. You cannot specify this option if you've specified a minimum number of instances to launch. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: '

The ID of the network interface.

If you are creating a Spot Fleet, omit this parameter because you can’t specify a network interface ID in a launch specification.

' + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The private IPv4 address of the network interface. Applies only if creating a network interface when launching an instance. You cannot specify this option if you''re launching more than one instance in a RunInstances request.' + privateIpAddressesSet: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressSpecificationList' + - description: 'One or more private IPv4 addresses to assign to the network interface. Only one private IPv4 address can be designated as primary. You cannot specify this option if you''re launching more than one instance in a RunInstances request.' + secondaryPrivateIpAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of secondary private IPv4 addresses. You can''t specify this option and specify more than one private IP address using the private IP addresses option. You cannot specify this option if you''re launching more than one instance in a RunInstances request.' + subnetId: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The index of the network card. Some instance types support multiple network cards. The primary network interface must be assigned to network card index 0. The default is network card index 0.

If you are using RequestSpotInstances to create Spot Instances, omit this parameter because you can’t specify the network card index when using this API. To specify the network card index, use RunInstances.

' + Ipv4Prefix: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv4 delegated prefixes to be automatically assigned to the network interface. You cannot use this option if you use the Ipv4Prefix option. + Ipv6Prefix: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv6 delegated prefixes to be automatically assigned to the network interface. You cannot use this option if you use the Ipv6Prefix option. + description: Describes a network interface. + ElasticGpuSpecification: + type: object + required: + - Type + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The type of Elastic Graphics accelerator. For more information about the values to specify for Type, see Elastic Graphics Basics, specifically the Elastic Graphics accelerator column, in the Amazon Elastic Compute Cloud User Guide for Windows Instances.' + description: A specification for an Elastic Graphics accelerator. + ElasticInferenceAccelerator: + type: object + required: + - Type + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ElasticInferenceAcceleratorCount' + - description: '

The number of elastic inference accelerators to attach to the instance.

Default: 1

' + description: ' Describes an elastic inference accelerator. ' + SpotMarketOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. The default is terminate. + description: The options for Spot Instances. + LicenseConfigurationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the license configuration. + description: Describes a license configuration. + InstanceMetadataTagsState: + type: string + enum: + - disabled + - enabled + InstanceAutoRecoveryState: + type: string + enum: + - disabled + - default + RunScheduledInstancesResult: + type: object + example: + InstanceIdSet: + - i-1234567890abcdef0 + properties: + instanceIdSet: + allOf: + - $ref: '#/components/schemas/InstanceIdSet' + - description: The IDs of the newly launched instances. + description: Contains the output of RunScheduledInstances. + ScheduledInstancesMonitoring: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether monitoring is enabled. + description: Describes whether monitoring is enabled for a Scheduled Instance. + SearchLocalGatewayRoutesResult: + type: object + properties: + routeSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteList' + - description: Information about the routes. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + SearchTransitGatewayMulticastGroupsResult: + type: object + properties: + multicastGroups: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastGroupList' + - description: Information about the transit gateway multicast group. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. This value is null when there are no more results to return. + SearchTransitGatewayRoutesResult: + type: object + properties: + routeSet: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteList' + - description: Information about the routes. + additionalRoutesAvailable: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether there are additional routes available. + StartInstancesResult: + type: object + example: + StartingInstances: + - CurrentState: + Code: 0 + Name: pending + InstanceId: i-1234567890abcdef0 + PreviousState: + Code: 80 + Name: stopped + properties: + instancesSet: + allOf: + - $ref: '#/components/schemas/InstanceStateChangeList' + - description: Information about the started instances. + StartNetworkInsightsAccessScopeAnalysisResult: + type: object + properties: + networkInsightsAccessScopeAnalysis: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysis' + - description: The Network Access Scope analysis. + StartNetworkInsightsAnalysisResult: + type: object + properties: + networkInsightsAnalysis: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysis' + - description: Information about the network insights analysis. + ResourceArn: + type: string + minLength: 1 + maxLength: 1283 + StartVpcEndpointServicePrivateDnsVerificationResult: + type: object + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, it returns an error.' + StopInstancesResult: + type: object + example: + StoppingInstances: + - CurrentState: + Code: 64 + Name: stopping + InstanceId: i-1234567890abcdef0 + PreviousState: + Code: 16 + Name: running + properties: + instancesSet: + allOf: + - $ref: '#/components/schemas/InstanceStateChangeList' + - description: Information about the stopped instances. + TerminateClientVpnConnectionsResult: + type: object + properties: + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint. + username: + allOf: + - $ref: '#/components/schemas/String' + - description: The user who established the terminated client connections. + connectionStatuses: + allOf: + - $ref: '#/components/schemas/TerminateConnectionStatusSet' + - description: The current state of the client connections. + TerminateInstancesResult: + type: object + example: + TerminatingInstances: + - CurrentState: + Code: 32 + Name: shutting-down + InstanceId: i-1234567890abcdef0 + PreviousState: + Code: 16 + Name: running + properties: + instancesSet: + allOf: + - $ref: '#/components/schemas/InstanceStateChangeList' + - description: Information about the terminated instances. + UnassignIpv6AddressesResult: + type: object + properties: + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + unassignedIpv6Addresses: + allOf: + - $ref: '#/components/schemas/Ipv6AddressList' + - description: The IPv6 addresses that have been unassigned from the network interface. + unassignedIpv6PrefixSet: + allOf: + - $ref: '#/components/schemas/IpPrefixList' + - description: The IPv4 prefixes that have been unassigned from the network interface. + UnmonitorInstancesResult: + type: object + properties: + instancesSet: + allOf: + - $ref: '#/components/schemas/InstanceMonitoringList' + - description: The monitoring information. + UpdateSecurityGroupRuleDescriptionsEgressResult: + type: object + example: {} + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + SecurityGroupRuleDescription: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the security group rule. + description:

Describes the description of a security group rule.

You can use this when you want to update the security group rule description for either an inbound or outbound rule.

+ UpdateSecurityGroupRuleDescriptionsIngressResult: + type: object + example: {} + properties: + return: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Returns true if the request succeeds; otherwise, returns an error.' + WithdrawByoipCidrResult: + type: object + properties: + byoipCidr: + allOf: + - $ref: '#/components/schemas/ByoipCidr' + - description: Information about the address pool. + AcceleratorCount: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The minimum number of accelerators. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of accelerators. If this parameter is not specified, there is no maximum limit.' + description: 'The minimum and maximum number of accelerators (GPUs, FPGAs, or Amazon Web Services Inferentia chips) on an instance.' + AcceleratorManufacturer: + type: string + enum: + - nvidia + - amd + - amazon-web-services + - xilinx + AcceleratorName: + type: string + enum: + - a100 + - v100 + - k80 + - t4 + - m60 + - radeon-pro-v520 + - vu9p + AcceleratorNameSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AcceleratorName' + - xml: + name: item + AcceleratorTotalMemoryMiB: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The minimum amount of accelerator memory, in MiB. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum amount of accelerator memory, in MiB. If this parameter is not specified, there is no maximum limit.' + description: 'The minimum and maximum amount of total accelerator memory, in MiB.' + AcceleratorType: + type: string + enum: + - gpu + - fpga + - inference + AcceleratorTypeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AcceleratorType' + - xml: + name: item + ReservedInstanceIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: ReservedInstanceId + TargetConfigurationRequestSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TargetConfigurationRequest' + - xml: + name: TargetConfigurationRequest + AcceptReservedInstancesExchangeQuoteRequest: + type: object + required: + - ReservedInstanceIds + title: AcceptReservedInstancesExchangeQuoteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ReservedInstanceId: + allOf: + - $ref: '#/components/schemas/ReservedInstanceIdSet' + - description: The IDs of the Convertible Reserved Instances to exchange for another Convertible Reserved Instance of the same or higher value. + TargetConfiguration: + allOf: + - $ref: '#/components/schemas/TargetConfigurationRequestSet' + - description: The configuration of the target Convertible Reserved Instance to exchange for your current Convertible Reserved Instances. + description: Contains the parameters for accepting the quote. + AcceptTransitGatewayMulticastDomainAssociationsRequest: + type: object + title: AcceptTransitGatewayMulticastDomainAssociationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastDomainAssociations: + type: object + properties: + transitGatewayMulticastDomainId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway multicast domain. + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: 'The type of resource, for example a VPC attachment.' + resourceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The ID of the Amazon Web Services account that owns the resource.' + subnets: + allOf: + - $ref: '#/components/schemas/SubnetAssociationList' + - description: The subnets associated with the multicast domain. + description: Describes the multicast domain associations. + AcceptTransitGatewayPeeringAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: AcceptTransitGatewayPeeringAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayPeeringAttachment: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway peering attachment. + requesterTgwInfo: + allOf: + - $ref: '#/components/schemas/PeeringTgwInfo' + - description: Information about the requester transit gateway. + accepterTgwInfo: + allOf: + - $ref: '#/components/schemas/PeeringTgwInfo' + - description: Information about the accepter transit gateway. + status: + allOf: + - $ref: '#/components/schemas/PeeringAttachmentStatus' + - description: The status of the transit gateway peering attachment. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentState' + - description: The state of the transit gateway peering attachment. Note that the initiating state has been deprecated. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the transit gateway peering attachment was created. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the transit gateway peering attachment. + description: Describes the transit gateway peering attachment. + AcceptTransitGatewayVpcAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: AcceptTransitGatewayVpcAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayVpcAttachment: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the attachment. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + vpcOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the VPC. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentState' + - description: The state of the VPC attachment. Note that the initiating state has been deprecated. + subnetIds: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the subnets. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation time. + options: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachmentOptions' + - description: The VPC attachment options. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the VPC attachment. + description: Describes a VPC attachment. + VpcEndpointIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - xml: + name: item + AcceptVpcEndpointConnectionsRequest: + type: object + required: + - ServiceId + - VpcEndpointIds + title: AcceptVpcEndpointConnectionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - description: The ID of the VPC endpoint service. + VpcEndpointId: + allOf: + - $ref: '#/components/schemas/VpcEndpointIdList' + - description: The IDs of one or more interface VPC endpoints. + UnsuccessfulItemSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItem' + - xml: + name: item + AcceptVpcPeeringConnectionRequest: + type: object + title: AcceptVpcPeeringConnectionRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionId' + - description: The ID of the VPC peering connection. You must specify this parameter in the request. + VpcPeeringConnection: + type: object + properties: + accepterVpcInfo: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionVpcInfo' + - description: Information about the accepter VPC. CIDR block information is only returned when describing an active VPC peering connection. + expirationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that an unaccepted VPC peering connection will expire. + requesterVpcInfo: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionVpcInfo' + - description: Information about the requester VPC. CIDR block information is only returned when describing an active VPC peering connection. + status: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionStateReason' + - description: The status of the VPC peering connection. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the resource. + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC peering connection. + description: Describes a VPC peering connection. + PathComponentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PathComponent' + - xml: + name: item + AccessScopeAnalysisFinding: + type: object + properties: + networkInsightsAccessScopeAnalysisId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisId' + - description: The ID of the Network Access Scope analysis. + networkInsightsAccessScopeId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - description: The ID of the Network Access Scope. + findingId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the finding. + findingComponentSet: + allOf: + - $ref: '#/components/schemas/PathComponentList' + - description: The finding components. + description: Describes a finding for a Network Access Scope. + AccessScopeAnalysisFindingList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccessScopeAnalysisFinding' + - xml: + name: item + PathStatement: + type: object + properties: + packetHeaderStatement: + allOf: + - $ref: '#/components/schemas/PacketHeaderStatement' + - description: The packet header statement. + resourceStatement: + allOf: + - $ref: '#/components/schemas/ResourceStatement' + - description: The resource statement. + description: Describes a path statement. + ThroughResourcesStatementList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ThroughResourcesStatement' + - xml: + name: item + AccessScopePath: + type: object + properties: + source: + allOf: + - $ref: '#/components/schemas/PathStatement' + - description: The source. + destination: + allOf: + - $ref: '#/components/schemas/PathStatement' + - description: The destination. + throughResourceSet: + allOf: + - $ref: '#/components/schemas/ThroughResourcesStatementList' + - description: The through resources. + description: Describes a path. + AccessScopePathList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccessScopePath' + - xml: + name: item + AccessScopePathListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccessScopePathRequest' + - xml: + name: item + PathStatementRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ResourceStatementRequest' + - description: The resource statement. + description: Describes a path statement. + ThroughResourcesStatementRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ThroughResourcesStatementRequest' + - xml: + name: item + AccountAttributeValueList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccountAttributeValue' + - xml: + name: item + AccountAttribute: + type: object + properties: + attributeName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the account attribute. + attributeValueSet: + allOf: + - $ref: '#/components/schemas/AccountAttributeValueList' + - description: The values for the account attribute. + description: Describes an account attribute. + AccountAttributeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccountAttribute' + - xml: + name: item + AccountAttributeNameStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AccountAttributeName' + - xml: + name: attributeName + AccountAttributeValue: + type: object + properties: + attributeValue: + allOf: + - $ref: '#/components/schemas/String' + - description: The value of the attribute. + description: Describes a value of an account attribute. + InstanceHealthStatus: + type: string + enum: + - healthy + - unhealthy + ActiveInstance: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance type. + spotInstanceRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Instance request. + instanceHealth: + allOf: + - $ref: '#/components/schemas/InstanceHealthStatus' + - description: 'The health status of the instance. If the status of either the instance status check or the system status check is impaired, the health status of the instance is unhealthy. Otherwise, the health status is healthy.' + description: Describes a running instance in a Spot Fleet. + ActiveInstanceSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ActiveInstance' + - xml: + name: item + ActivityStatus: + type: string + enum: + - error + - pending_fulfillment + - pending_termination + - fulfilled + AddIpamOperatingRegionSet: + type: array + items: + $ref: '#/components/schemas/AddIpamOperatingRegion' + minItems: 0 + maxItems: 50 + AddPrefixListEntries: + type: array + items: + $ref: '#/components/schemas/AddPrefixListEntry' + minItems: 0 + maxItems: 100 + AnalysisComponent: + type: object + properties: + id: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the component. + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the component. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the analysis component. + description: Describes a path component. + AdditionalDetail: + type: object + properties: + additionalDetailType: + allOf: + - $ref: '#/components/schemas/String' + - description: The information type. + component: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The path component. + description: Describes an additional detail for a path analysis. + AdditionalDetailList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AdditionalDetail' + - xml: + name: item + DomainType: + type: string + enum: + - vpc + - standard + Address: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance that the address is associated with (if any). + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The Elastic IP address. + allocationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID representing the allocation of the address for use with EC2-VPC. + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID representing the association of the address with an instance in a VPC. + domain: + allOf: + - $ref: '#/components/schemas/DomainType' + - description: Indicates whether this Elastic IP address is for use with instances in EC2-Classic (standard) or instances in a VPC (vpc). + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + networkInterfaceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the network interface. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IP address associated with the Elastic IP address. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the Elastic IP address. + publicIpv4Pool: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of an address pool. + networkBorderGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the unique set of Availability Zones, Local Zones, or Wavelength Zones from which Amazon Web Services advertises IP addresses.' + customerOwnedIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The customer-owned IP address. + customerOwnedIpv4Pool: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the customer-owned address pool. + carrierIp: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The carrier IP address associated. This option is only available for network interfaces which reside in a subnet in a Wavelength Zone (for example an EC2 instance). ' + description: 'Describes an Elastic IP address, or a carrier IP address.' + PublicIpAddress: + type: string + PtrUpdateStatus: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the PTR record update. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: The status of the PTR record update. + reason: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason for the PTR record update. + description: The status of an updated pointer (PTR) record for an Elastic IP address. + AddressAttribute: + type: object + properties: + publicIp: + allOf: + - $ref: '#/components/schemas/PublicIpAddress' + - description: The public IP address. + allocationId: + allOf: + - $ref: '#/components/schemas/AllocationId' + - description: '[EC2-VPC] The allocation ID.' + ptrRecord: + allOf: + - $ref: '#/components/schemas/String' + - description: The pointer (PTR) record for the IP address. + ptrRecordUpdate: + allOf: + - $ref: '#/components/schemas/PtrUpdateStatus' + - description: The updated PTR record for the IP address. + description: The attributes associated with an Elastic IP address. + AddressAttributeName: + type: string + enum: + - domain-name + AddressFamily: + type: string + enum: + - ipv4 + - ipv6 + AddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Address' + - xml: + name: item + AddressMaxResults: + type: integer + minimum: 1 + maximum: 1000 + AddressSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AddressAttribute' + - xml: + name: item + AdvertiseByoipCidrRequest: + type: object + required: + - Cidr + title: AdvertiseByoipCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ByoipCidr: + type: object + properties: + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The address range, in CIDR notation.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the address range. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Upon success, contains the ID of the address pool. Otherwise, contains an error message.' + state: + allOf: + - $ref: '#/components/schemas/ByoipCidrState' + - description: The state of the address pool. + description: Information about an address range that is provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP). + Affinity: + type: string + enum: + - default + - host + AllocateAddressRequest: + type: object + title: AllocateAddressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of a customer-owned address pool. Use this parameter to let Amazon EC2 select an address from the address pool. Alternatively, specify a specific address from the address pool.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the Elastic IP address. + AutoPlacement: + type: string + enum: + - 'on' + - 'off' + AllocateHostsRequest: + type: object + required: + - AvailabilityZone + - Quantity + title: AllocateHostsRequest + properties: + autoPlacement: + allOf: + - $ref: '#/components/schemas/AutoPlacement' + - description: '

Indicates whether the host accepts any untargeted instance launches that match its instance type configuration, or if it only accepts Host tenancy instance launches that specify its unique host ID. For more information, see Understanding auto-placement and affinity in the Amazon EC2 User Guide.

Default: on

' + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which to allocate the Dedicated Host. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Specifies the instance family to be supported by the Dedicated Hosts. If you specify an instance family, the Dedicated Hosts support multiple instance types within that instance family.

If you want the Dedicated Hosts to support a specific instance type only, omit this parameter and specify InstanceType instead. You cannot specify InstanceFamily and InstanceType in the same request.

' + quantity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of Dedicated Hosts to allocate to your account with these parameters. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Amazon Web Services Outpost on which to allocate the Dedicated Host. + ResponseHostIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + IpamPoolAllocationDisallowedCidrs: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + AllocateIpamPoolCidrRequest: + type: object + required: + - IpamPoolId + title: AllocateIpamPoolCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: A preview of the next available CIDR in a pool. + DisallowedCidr: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocationDisallowedCidrs' + - description: Exclude a particular CIDR range from being returned by the pool. + IpamPoolAllocation: + type: object + properties: + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The CIDR for the allocation. A CIDR is a representation of an IP address and its associated network mask (or netmask) and refers to a range of IP addresses. An IPv4 CIDR example is 10.24.34.0/23. An IPv6 CIDR example is 2001:DB8::/32.' + ipamPoolAllocationId: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocationId' + - description: The ID of an allocation. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the pool allocation. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocationResourceType' + - description: The type of the resource. + resourceRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services Region of the resource. + resourceOwner: + allOf: + - $ref: '#/components/schemas/String' + - description: The owner of the resource. + description: 'In IPAM, an allocation is a CIDR assignment from an IPAM pool to another resource or IPAM pool.' + AllocationIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AllocationId' + - xml: + name: AllocationId + AllocationIds: + type: array + items: + allOf: + - $ref: '#/components/schemas/AllocationId' + - xml: + name: item + AllocationState: + type: string + enum: + - available + - under-assessment + - permanent-failure + - released + - released-permanent-failure + - pending + PrincipalType: + type: string + enum: + - All + - Service + - OrganizationUnit + - Account + - User + - Role + AllowedPrincipal: + type: object + properties: + principalType: + allOf: + - $ref: '#/components/schemas/PrincipalType' + - description: The type of principal. + principal: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the principal. + description: Describes a principal. + AllowedPrincipalSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AllowedPrincipal' + - xml: + name: item + AllowsMultipleInstanceTypes: + type: string + enum: + - 'on' + - 'off' + AlternatePathHint: + type: object + properties: + componentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the component. + componentArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the component. + description: Describes an potential intermediate component of a feasible path. + AlternatePathHintList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AlternatePathHint' + - xml: + name: item + PortRange: + type: object + properties: + from: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The first port in the range. + to: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the range. + description: Describes a range of ports. + AnalysisAclRule: + type: object + properties: + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 address range, in CIDR notation.' + egress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the rule is an outbound rule. + portRange: + allOf: + - $ref: '#/components/schemas/PortRange' + - description: The range of ports. + protocol: + allOf: + - $ref: '#/components/schemas/String' + - description: The protocol. + ruleAction: + allOf: + - $ref: '#/components/schemas/String' + - description: Indicates whether to allow or deny traffic that matches the rule. + ruleNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The rule number. + description: Describes a network access control (ACL) rule. + AnalysisComponentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - xml: + name: item + Port: + type: integer + minimum: 1 + maximum: 65535 + AnalysisLoadBalancerListener: + type: object + properties: + loadBalancerPort: + allOf: + - $ref: '#/components/schemas/Port' + - description: The port on which the load balancer is listening. + instancePort: + allOf: + - $ref: '#/components/schemas/Port' + - description: '[Classic Load Balancers] The back-end port for the listener.' + description: Describes a load balancer listener. + IpAddress: + type: string + pattern: '^([0-9]{1,3}.){3}[0-9]{1,3}$' + minLength: 0 + maxLength: 15 + AnalysisLoadBalancerTarget: + type: object + properties: + address: + allOf: + - $ref: '#/components/schemas/IpAddress' + - description: The IP address. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + instance: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: Information about the instance. + port: + allOf: + - $ref: '#/components/schemas/Port' + - description: The port on which the target is listening. + description: Describes a load balancer target. + IpAddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpAddress' + - xml: + name: item + PortRangeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PortRange' + - xml: + name: item + AnalysisPacketHeader: + type: object + properties: + destinationAddressSet: + allOf: + - $ref: '#/components/schemas/IpAddressList' + - description: The destination addresses. + destinationPortRangeSet: + allOf: + - $ref: '#/components/schemas/PortRangeList' + - description: The destination port ranges. + protocol: + allOf: + - $ref: '#/components/schemas/String' + - description: The protocol. + sourceAddressSet: + allOf: + - $ref: '#/components/schemas/IpAddressList' + - description: The source addresses. + sourcePortRangeSet: + allOf: + - $ref: '#/components/schemas/PortRangeList' + - description: The source port ranges. + description: Describes a header. Reflects any changes made by a component as traffic passes through. The fields of an inbound header are null except for the first component of a path. + AnalysisRouteTableRoute: + type: object + properties: + destinationCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The destination IPv4 address, in CIDR notation.' + destinationPrefixListId: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix of the Amazon Web Service. + egressOnlyInternetGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of an egress-only internet gateway. + gatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the gateway, such as an internet gateway or virtual private gateway.' + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the instance, such as a NAT instance.' + natGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a NAT gateway. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a network interface. + origin: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Describes how the route was created. The following are the possible values:

' + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a transit gateway. + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a VPC peering connection. + description: Describes a route table route. + AnalysisSecurityGroupRule: + type: object + properties: + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 address range, in CIDR notation.' + direction: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The direction. The following are the possible values:

' + securityGroupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The security group ID. + portRange: + allOf: + - $ref: '#/components/schemas/PortRange' + - description: The port range. + prefixListId: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix list ID. + protocol: + allOf: + - $ref: '#/components/schemas/String' + - description: The protocol name. + description: Describes a security group rule. + AnalysisStatus: + type: string + enum: + - running + - succeeded + - failed + ApplySecurityGroupsToClientVpnTargetNetworkRequest: + type: object + required: + - ClientVpnEndpointId + - VpcId + - SecurityGroupIds + title: ApplySecurityGroupsToClientVpnTargetNetworkRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC in which the associated target network is located. + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ClientVpnSecurityGroupIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + ArchitectureTypeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ArchitectureType' + - xml: + name: item + ArnList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - xml: + name: item + IpPrefixList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + AssignIpv6AddressesRequest: + type: object + required: + - NetworkInterfaceId + title: AssignIpv6AddressesRequest + properties: + ipv6AddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of additional IPv6 addresses to assign to the network interface. The specified number of IPv6 addresses are assigned in addition to the existing IPv6 addresses that are already assigned to the network interface. Amazon EC2 automatically selects the IPv6 addresses from the subnet range. You can't use this option if specifying specific IPv6 addresses. + ipv6Addresses: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv6 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv6Prefixes option. + Ipv6Prefix: + allOf: + - $ref: '#/components/schemas/IpPrefixList' + - description: One or more IPv6 prefixes assigned to the network interface. You cannot use this option if you use the Ipv6PrefixCount option. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + Ipv6AddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + PrivateIpAddressStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: PrivateIpAddress + AssignPrivateIpAddressesRequest: + type: object + required: + - NetworkInterfaceId + title: AssignPrivateIpAddressesRequest + properties: + allowReassignment: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to allow an IP address that is already assigned to another network interface or instance to be reassigned to the specified network interface. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressStringList' + - description: '

One or more IP addresses to be assigned as a secondary private IP address to the network interface. You can''t specify this parameter when also specifying a number of secondary IP addresses.

If you don''t specify an IP address, Amazon EC2 automatically selects an IP address within the subnet range.

' + secondaryPrivateIpAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of secondary IP addresses to assign to the network interface. You can't specify this parameter when also specifying private IP addresses. + Ipv4Prefix: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv4 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv4 Prefixes option. + description: Contains the parameters for AssignPrivateIpAddresses. + AssignedPrivateIpAddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AssignedPrivateIpAddress' + - xml: + name: item + Ipv4PrefixesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixSpecification' + - xml: + name: item + AssignedPrivateIpAddress: + type: object + properties: + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IP address assigned to the network interface. + description: Describes the private IP addresses assigned to a network interface. + AssociateAddressRequest: + type: object + title: AssociateAddressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-Classic] The Elastic IP address to associate with the instance. This is required for EC2-Classic.' + allowReassociation: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '[EC2-VPC] For a VPC in an EC2-Classic account, specify true to allow an Elastic IP address that is already associated with an instance or network interface to be reassociated with the specified instance or network interface. Otherwise, the operation fails. In a VPC in an EC2-VPC-only account, reassociation is automatic, therefore you can specify false to ensure the operation fails if the Elastic IP address is already associated with another resource.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: '

[EC2-VPC] The ID of the network interface. If the instance has more than one network interface, you must specify a network interface ID.

For EC2-VPC, you can specify either the instance ID or the network interface ID, but not both.

' + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] The primary or secondary private IP address to associate with the Elastic IP address. If no private IP address is specified, the Elastic IP address is associated with the primary private IP address.' + AssociateClientVpnTargetNetworkRequest: + type: object + required: + - ClientVpnEndpointId + - SubnetId + title: AssociateClientVpnTargetNetworkRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + AssociationStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/AssociationStatusCode' + - description: The state of the target network association. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the target network association, if applicable.' + description: Describes the state of a target network association. + AssociateDhcpOptionsRequest: + type: object + required: + - DhcpOptionsId + - VpcId + title: AssociateDhcpOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + AssociateEnclaveCertificateIamRoleRequest: + type: object + title: AssociateEnclaveCertificateIamRoleRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + AssociateIamInstanceProfileRequest: + type: object + required: + - IamInstanceProfile + - InstanceId + title: AssociateIamInstanceProfileRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + IamInstanceProfileAssociation: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the association. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfile' + - description: The IAM instance profile. + state: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociationState' + - description: The state of the association. + timestamp: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the IAM instance profile was associated with the instance. + description: Describes an association between an IAM instance profile and an instance. + InstanceEventWindowAssociationRequest: + type: object + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdList' + - description: 'The IDs of the instances to associate with the event window. If the instance is on a Dedicated Host, you can''t specify the Instance ID parameter; you must use the Dedicated Host ID parameter.' + InstanceTag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The instance tags to associate with the event window. Any instances associated with the tags will be associated with the event window. + DedicatedHostId: + allOf: + - $ref: '#/components/schemas/DedicatedHostIdList' + - description: The IDs of the Dedicated Hosts to associate with the event window. + description: 'One or more targets associated with the specified event window. Only one type of target (instance ID, instance tag, or Dedicated Host ID) can be associated with an event window.' + AssociateInstanceEventWindowRequest: + type: object + required: + - InstanceEventWindowId + - AssociationTarget + title: AssociateInstanceEventWindowRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowAssociationRequest' + - description: One or more targets associated with the specified event window. + InstanceEventWindow: + type: object + properties: + instanceEventWindowId: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowId' + - description: The ID of the event window. + timeRangeSet: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowTimeRangeList' + - description: One or more time ranges defined for the event window. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the event window. + cronExpression: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowCronExpression' + - description: The cron expression defined for the event window. + associationTarget: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowAssociationTarget' + - description: One or more targets associated with the event window. + state: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowState' + - description: The current state of the event window. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The instance tags associated with the event window. + description: The event window. + RouteGatewayId: + type: string + AssociateRouteTableRequest: + type: object + required: + - RouteTableId + title: AssociateRouteTableRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + routeTableId: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - description: The ID of the route table. + subnetId: + allOf: + - $ref: '#/components/schemas/RouteGatewayId' + - description: The ID of the internet gateway or virtual private gateway. + RouteTableAssociationState: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationStateCode' + - description: The state of the association. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status message, if applicable.' + description: Describes the state of an association between a route table and a subnet or gateway. + AssociateSubnetCidrBlockRequest: + type: object + required: + - Ipv6CidrBlock + - SubnetId + title: AssociateSubnetCidrBlockRequest + properties: + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR block for your subnet. The subnet must have a /64 prefix length. + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of your subnet. + SubnetIpv6CidrBlockAssociation: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/SubnetCidrAssociationId' + - description: The ID of the association. + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR block. + ipv6CidrBlockState: + allOf: + - $ref: '#/components/schemas/SubnetCidrBlockState' + - description: The state of the CIDR block. + description: Describes an association between a subnet and an IPv6 CIDR block. + AssociateTransitGatewayMulticastDomainRequest: + type: object + title: AssociateTransitGatewayMulticastDomainRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + AssociateTransitGatewayRouteTableRequest: + type: object + required: + - TransitGatewayRouteTableId + - TransitGatewayAttachmentId + title: AssociateTransitGatewayRouteTableRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayAssociation: + type: object + properties: + transitGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the transit gateway route table. + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: The resource type. Note that the tgw-peering resource type has been deprecated. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAssociationState' + - description: The state of the association. + description: Describes an association between a resource attachment and a transit gateway route table. + AssociateTrunkInterfaceRequest: + type: object + required: + - BranchInterfaceId + - TrunkInterfaceId + title: AssociateTrunkInterfaceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TrunkInterfaceAssociation: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/TrunkInterfaceAssociationId' + - description: The ID of the association. + branchInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the branch network interface. + trunkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the trunk network interface. + interfaceProtocol: + allOf: + - $ref: '#/components/schemas/InterfaceProtocolType' + - description: The interface protocol. Valid values are VLAN and GRE. + vlanId: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ID of the VLAN when you use the VLAN protocol. + greKey: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The application key when you use the GRE protocol. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the trunk interface association. + description: '

Currently available in limited preview only. If you are interested in using this feature, contact your account manager.

Information about an association between a branch network interface with a trunk network interface.

' + NetmaskLength: + type: integer + AssociateVpcCidrBlockRequest: + type: object + required: + - VpcId + title: AssociateVpcCidrBlockRequest + properties: + amazonProvidedIpv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: An IPv4 CIDR block to associate with the VPC. + vpcId: + allOf: + - $ref: '#/components/schemas/NetmaskLength' + - description: 'The netmask length of the IPv6 CIDR you would like to associate from an Amazon VPC IP Address Manager (IPAM) pool. For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide. ' + VpcIpv6CidrBlockAssociation: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The association ID for the IPv6 CIDR block. + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR block. + ipv6CidrBlockState: + allOf: + - $ref: '#/components/schemas/VpcCidrBlockState' + - description: Information about the state of the CIDR block. + networkBorderGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the unique set of Availability Zones, Local Zones, or Wavelength Zones from which Amazon Web Services advertises IP addresses, for example, us-east-1-wl1-bos-wlz-1.' + ipv6Pool: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the IPv6 address pool from which the IPv6 CIDR block is allocated. + description: Describes an IPv6 CIDR block associated with a VPC. + VpcCidrBlockAssociation: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The association ID for the IPv4 CIDR block. + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR block. + cidrBlockState: + allOf: + - $ref: '#/components/schemas/VpcCidrBlockState' + - description: Information about the state of the CIDR block. + description: Describes an IPv4 CIDR block associated with a VPC. + AssociatedNetworkType: + type: string + enum: + - vpc + AssociatedRole: + type: object + properties: + associatedRoleArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the associated IAM role. + certificateS3BucketName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Amazon S3 bucket in which the Amazon S3 object is stored. + certificateS3ObjectKey: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The key of the Amazon S3 object ey where the certificate, certificate chain, and encrypted private key bundle is stored. The object key is formated as follows: role_arn/certificate_arn. ' + encryptionKmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the KMS customer master key (CMK) used to encrypt the private key. + description: Information about the associated IAM roles. + AssociatedRolesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AssociatedRole' + - xml: + name: item + AssociatedTargetNetwork: + type: object + properties: + networkId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + networkType: + allOf: + - $ref: '#/components/schemas/AssociatedNetworkType' + - description: The target network type. + description: Describes a target network that is associated with a Client VPN endpoint. A target network is a subnet in a VPC. + AssociatedTargetNetworkSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AssociatedTargetNetwork' + - xml: + name: item + AssociationIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociationId' + - xml: + name: AssociationId + AssociationStatusCode: + type: string + enum: + - associating + - associated + - association-failed + - disassociating + - disassociated + MillisecondDateTime: + type: string + format: date-time + AthenaIntegration: + type: object + required: + - IntegrationResultS3DestinationArn + - PartitionLoadFrequency + properties: + undefined: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The end date for the partition. + description: Describes integration options for Amazon Athena. + GroupIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: groupId + AttachClassicLinkVpcRequest: + type: object + required: + - Groups + - InstanceId + - VpcId + title: AttachClassicLinkVpcRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/GroupIdStringList' + - description: The ID of one or more of the VPC's security groups. You cannot specify security groups from a different VPC. + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of an EC2-Classic instance to link to the ClassicLink-enabled VPC. + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of a ClassicLink-enabled VPC. + AttachInternetGatewayRequest: + type: object + required: + - InternetGatewayId + - VpcId + title: AttachInternetGatewayRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + internetGatewayId: + allOf: + - $ref: '#/components/schemas/InternetGatewayId' + - description: The ID of the internet gateway. + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + AttachNetworkInterfaceRequest: + type: object + required: + - DeviceIndex + - InstanceId + - NetworkInterfaceId + title: AttachNetworkInterfaceRequest + properties: + deviceIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the device for the network interface attachment. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the network card. Some instance types support multiple network cards. The primary network interface must be assigned to network card index 0. The default is network card index 0. + description: Contains the parameters for AttachNetworkInterface. + AttachVolumeRequest: + type: object + required: + - Device + - InstanceId + - VolumeId + title: AttachVolumeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the EBS volume. The volume and instance must be within the same Availability Zone. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + AttachVpnGatewayRequest: + type: object + required: + - VpcId + - VpnGatewayId + title: AttachVpnGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpnGatewayId' + - description: The ID of the virtual private gateway. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for AttachVpnGateway. + VpcAttachment: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/AttachmentStatus' + - description: The current state of the attachment. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + description: Describes an attachment between a virtual private gateway and a VPC. + AttachmentStatus: + type: string + enum: + - attaching + - attached + - detaching + - detached + AttributeBooleanValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The attribute value. The valid values are true or false. + description: Describes a value for a resource attribute that is a Boolean value. + AttributeValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The attribute value. The value is case-sensitive. + description: Describes a value for a resource attribute that is a String. + ClientVpnAuthorizationRuleStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthorizationRuleStatusCode' + - description: The state of the authorization rule. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the authorization rule, if applicable.' + description: Describes the state of an authorization rule. + AuthorizationRule: + type: object + properties: + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint with which the authorization rule is associated. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief description of the authorization rule. + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Active Directory group to which the authorization rule grants access. + accessAll: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the authorization rule grants access to all clients. + destinationCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 address range, in CIDR notation, of the network to which the authorization rule applies.' + status: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthorizationRuleStatus' + - description: The current state of the authorization rule. + description: Information about an authorization rule. + AuthorizationRuleSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/AuthorizationRule' + - xml: + name: item + AuthorizeClientVpnIngressRequest: + type: object + required: + - ClientVpnEndpointId + - TargetNetworkCidr + title: AuthorizeClientVpnIngressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + IpPermissionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpPermission' + - xml: + name: item + AuthorizeSecurityGroupEgressRequest: + type: object + required: + - GroupId + title: AuthorizeSecurityGroupEgressRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + groupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - description: The ID of the security group. + ipPermissions: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: The sets of IP permissions. You can't specify a destination security group and a CIDR IP address range in the same set of permissions. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags applied to the security group rule. + cidrIp: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify the CIDR. + fromPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Not supported. Use a set of IP permissions to specify the port. + ipProtocol: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify the protocol name or number. + toPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Not supported. Use a set of IP permissions to specify the port. + sourceSecurityGroupName: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify a destination security group. + sourceSecurityGroupOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify a destination security group. + SecurityGroupRuleList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupRule' + - xml: + name: item + AuthorizeSecurityGroupIngressRequest: + type: object + title: AuthorizeSecurityGroupIngressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The end of port range for the TCP and UDP protocols, or an ICMP code number. For the ICMP code number, use -1 to specify all codes. If you specify all ICMP types, you must specify all codes.

Alternatively, use a set of IP permissions to specify multiple rules and a description for the rule.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: '[VPC Only] The tags applied to the security group rule.' + AutoAcceptSharedAttachmentsValue: + type: string + enum: + - enable + - disable + AutoRecoveryFlag: + type: boolean + AvailabilityZoneState: + type: string + enum: + - available + - information + - impaired + - unavailable + AvailabilityZoneOptInStatus: + type: string + enum: + - opt-in-not-required + - opted-in + - not-opted-in + AvailabilityZoneMessageList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneMessage' + - xml: + name: item + AvailabilityZone: + type: object + properties: + zoneState: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneState' + - description: 'The state of the Availability Zone, Local Zone, or Wavelength Zone. This value is always available.' + optInStatus: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneOptInStatus' + - description: '

For Availability Zones, this parameter always has the value of opt-in-not-required.

For Local Zones and Wavelength Zones, this parameter is the opt-in status. The possible values are opted-in, and not-opted-in.

' + messageSet: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneMessageList' + - description: 'Any messages about the Availability Zone, Local Zone, or Wavelength Zone.' + regionName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Region. + zoneName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the Availability Zone, Local Zone, or Wavelength Zone.' + zoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the Availability Zone, Local Zone, or Wavelength Zone.' + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: '

For Availability Zones, this parameter has the same value as the Region name.

For Local Zones, the name of the associated group, for example us-west-2-lax-1.

For Wavelength Zones, the name of the associated group, for example us-east-1-wl1-bos-wlz-1.

' + networkBorderGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the network border group. + zoneType: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The type of zone. The valid values are availability-zone, local-zone, and wavelength-zone.' + parentZoneName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the zone that handles some of the Local Zone or Wavelength Zone control plane operations, such as API calls.' + parentZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the zone that handles some of the Local Zone or Wavelength Zone control plane operations, such as API calls.' + description: 'Describes Availability Zones, Local Zones, and Wavelength Zones.' + AvailabilityZoneList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AvailabilityZone' + - xml: + name: item + AvailabilityZoneMessage: + type: object + properties: + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The message about the Availability Zone, Local Zone, or Wavelength Zone.' + description: 'Describes a message about an Availability Zone, Local Zone, or Wavelength Zone.' + AvailabilityZoneStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: AvailabilityZone + AvailableInstanceCapacityList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceCapacity' + - xml: + name: item + AvailableCapacity: + type: object + properties: + availableInstanceCapacity: + allOf: + - $ref: '#/components/schemas/AvailableInstanceCapacityList' + - description: 'The number of instances that can be launched onto the Dedicated Host depending on the host''s available capacity. For Dedicated Hosts that support multiple instance types, this parameter represents the number of instances for each instance size that is supported on the host.' + availableVCpus: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of vCPUs available for launching instances onto the Dedicated Host. + description: 'The capacity information for instances that can be launched onto the Dedicated Host. ' + InstanceCapacity: + type: object + properties: + availableCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of instances that can be launched onto the Dedicated Host based on the host's available capacity. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance type supported by the Dedicated Host. + totalCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of instances that can be launched onto the Dedicated Host if there are no instances running on it. + description: Information about the number of instances that can be launched onto the Dedicated Host. + BareMetal: + type: string + enum: + - included + - required + - excluded + BareMetalFlag: + type: boolean + BaselineBandwidthInMbps: + type: integer + BaselineEbsBandwidthMbps: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The minimum baseline bandwidth, in Mbps. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum baseline bandwidth, in Mbps. If this parameter is not specified, there is no maximum limit.' + description: 'The minimum and maximum baseline bandwidth to Amazon EBS, in Mbps. For more information, see Amazon EBS–optimized instances in the Amazon EC2 User Guide.' + BaselineIops: + type: integer + BaselineThroughputInMBps: + type: number + format: double + BatchState: + type: string + enum: + - submitted + - active + - cancelled + - failed + - cancelled_running + - cancelled_terminating + - modifying + BgpStatus: + type: string + enum: + - up + - down + BillingProductList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + BlobAttributeValue: + type: object + properties: + value: + $ref: '#/components/schemas/Blob' + EbsBlockDevice: + type: object + properties: + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether the EBS volume is deleted on instance termination. For more information, see Preserving Amazon EBS volumes on instance termination in the Amazon EC2 User Guide.' + iops: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of I/O operations per second (IOPS). For gp3, io1, and io2 volumes, this represents the number of IOPS that are provisioned for the volume. For gp2 volumes, this represents the baseline performance of the volume and the rate at which the volume accumulates I/O credits for bursting.

The following are the supported values for each volume type:

For io1 and io2 volumes, we guarantee 64,000 IOPS only for Instances built on the Nitro System. Other instance families guarantee performance up to 32,000 IOPS.

This parameter is required for io1 and io2 volumes. The default for gp3 volumes is 3,000 IOPS. This parameter is not supported for gp2, st1, sc1, or standard volumes.

' + snapshotId: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the snapshot. + volumeSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The size of the volume, in GiBs. You must specify either a snapshot ID or a volume size. If you specify a snapshot, the default is the snapshot size. You can specify a volume size that is equal to or larger than the snapshot size.

The following are the supported volumes sizes for each volume type:

' + volumeType: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Identifier (key ID, key alias, ID ARN, or alias ARN) for a customer managed CMK under which the EBS volume is encrypted.

This parameter is only supported on BlockDeviceMapping objects called by RunInstances, RequestSpotFleet, and RequestSpotInstances.

' + throughput: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The throughput that the volume supports, in MiB/s.

This parameter is valid only for gp3 volumes.

Valid Range: Minimum value of 125. Maximum value of 1000.

' + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The ARN of the Outpost on which the snapshot is stored.

This parameter is only supported on BlockDeviceMapping objects called by CreateImage.

' + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether the encryption state of an EBS volume is changed while being restored from a backing snapshot. The effect of setting the encryption state to true depends on the volume origin (new or from a snapshot), starting encryption state, ownership, and whether encryption by default is enabled. For more information, see Amazon EBS encryption in the Amazon EC2 User Guide.

In no case can you remove encryption from an encrypted volume.

Encrypted volumes can only be attached to instances that support Amazon EBS encryption. For more information, see Supported instance types.

This parameter is not returned by DescribeImageAttribute.

' + description: Describes a block device for an EBS volume. + BlockDeviceMappingRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/BlockDeviceMapping' + - xml: + name: BlockDeviceMapping + BootModeType: + type: string + enum: + - legacy-bios + - uefi + BootModeTypeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/BootModeType' + - xml: + name: item + BootModeValues: + type: string + enum: + - legacy-bios + - uefi + BoxedDouble: + type: number + format: double + BundleIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/BundleId' + - xml: + name: BundleId + Storage: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/S3Storage' + - description: An Amazon S3 storage location. + description: Describes the storage location for an instance store-backed AMI. + BundleInstanceRequest: + type: object + required: + - InstanceId + - Storage + title: BundleInstanceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Storage' + - description: 'The bucket in which to store the AMI. You can specify a bucket that you already own or a new bucket that Amazon EC2 creates on your behalf. If you specify a bucket that belongs to someone else, Amazon EC2 returns an error.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for BundleInstance. + BundleTask: + type: object + properties: + bundleId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the bundle task. + error: + allOf: + - $ref: '#/components/schemas/BundleTaskError' + - description: 'If the task fails, a description of the error.' + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance associated with this bundle task. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The level of task completion, as a percent (for example, 20%).' + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time this task started. + state: + allOf: + - $ref: '#/components/schemas/BundleTaskState' + - description: The state of the task. + storage: + allOf: + - $ref: '#/components/schemas/Storage' + - description: The Amazon S3 storage locations. + updateTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time of the most recent update for the task. + description: Describes a bundle task. + BundleTaskError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The error message. + description: Describes an error for BundleInstance. + BundleTaskState: + type: string + enum: + - pending + - waiting-for-shutdown + - bundling + - storing + - cancelling + - complete + - failed + BundleTaskList: + type: array + items: + allOf: + - $ref: '#/components/schemas/BundleTask' + - xml: + name: item + BurstablePerformance: + type: string + enum: + - included + - required + - excluded + BurstablePerformanceFlag: + type: boolean + ByoipCidrState: + type: string + enum: + - advertised + - deprovisioned + - failed-deprovision + - failed-provision + - pending-deprovision + - pending-provision + - provisioned + - provisioned-not-publicly-advertisable + ByoipCidrSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ByoipCidr' + - xml: + name: item + CancelBatchErrorCode: + type: string + enum: + - fleetRequestIdDoesNotExist + - fleetRequestIdMalformed + - fleetRequestNotInCancellableState + - unexpectedError + CancelBundleTaskRequest: + type: object + required: + - BundleId + title: CancelBundleTaskRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/BundleId' + - description: The ID of the bundle task. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for CancelBundleTask. + CancelCapacityReservationFleetErrorCode: + type: string + CancelCapacityReservationFleetErrorMessage: + type: string + CancelCapacityReservationFleetError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/CancelCapacityReservationFleetErrorCode' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/CancelCapacityReservationFleetErrorMessage' + - description: The error message. + description: Describes a Capacity Reservation Fleet cancellation error. + CapacityReservationFleetIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - xml: + name: item + CancelCapacityReservationFleetsRequest: + type: object + required: + - CapacityReservationFleetIds + title: CancelCapacityReservationFleetsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CapacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetIdSet' + - description: The IDs of the Capacity Reservation Fleets to cancel. + CapacityReservationFleetCancellationStateSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetCancellationState' + - xml: + name: item + FailedCapacityReservationFleetCancellationResultSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/FailedCapacityReservationFleetCancellationResult' + - xml: + name: item + CancelCapacityReservationRequest: + type: object + required: + - CapacityReservationId + title: CancelCapacityReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CancelConversionRequest: + type: object + required: + - ConversionTaskId + title: CancelConversionRequest + properties: + conversionTaskId: + allOf: + - $ref: '#/components/schemas/ConversionTaskId' + - description: The ID of the conversion task. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + reasonMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason for canceling the conversion task. + ExportVmTaskId: + type: string + CancelExportTaskRequest: + type: object + required: + - ExportTaskId + title: CancelExportTaskRequest + properties: + exportTaskId: + allOf: + - $ref: '#/components/schemas/ExportVmTaskId' + - description: The ID of the export task. This is the ID returned by CreateInstanceExportTask. + ImportTaskId: + type: string + CancelImportTaskRequest: + type: object + title: CancelImportTaskRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ImportTaskId' + - description: The ID of the import image or import snapshot task to be canceled. + ReservedInstancesListingId: + type: string + CancelReservedInstancesListingRequest: + type: object + required: + - ReservedInstancesListingId + title: CancelReservedInstancesListingRequest + properties: + reservedInstancesListingId: + allOf: + - $ref: '#/components/schemas/ReservedInstancesListingId' + - description: The ID of the Reserved Instance listing. + description: Contains the parameters for CancelReservedInstancesListing. + ReservedInstancesListingList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesListing' + - xml: + name: item + CancelSpotFleetRequestsError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/CancelBatchErrorCode' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the error code. + description: Describes a Spot Fleet error. + CancelSpotFleetRequestsErrorItem: + type: object + properties: + error: + allOf: + - $ref: '#/components/schemas/CancelSpotFleetRequestsError' + - description: The error. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Fleet request. + description: Describes a Spot Fleet request that was not successfully canceled. + CancelSpotFleetRequestsErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CancelSpotFleetRequestsErrorItem' + - xml: + name: item + SpotFleetRequestIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestId' + - xml: + name: item + CancelSpotFleetRequestsRequest: + type: object + required: + - SpotFleetRequestIds + - TerminateInstances + title: CancelSpotFleetRequestsRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestIdList' + - description: The IDs of the Spot Fleet requests. + terminateInstances: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to terminate instances for a Spot Fleet request if it is canceled successfully. + description: Contains the parameters for CancelSpotFleetRequests. + CancelSpotFleetRequestsSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CancelSpotFleetRequestsSuccessItem' + - xml: + name: item + CancelSpotFleetRequestsSuccessItem: + type: object + properties: + currentSpotFleetRequestState: + allOf: + - $ref: '#/components/schemas/BatchState' + - description: The current state of the Spot Fleet request. + previousSpotFleetRequestState: + allOf: + - $ref: '#/components/schemas/BatchState' + - description: The previous state of the Spot Fleet request. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Fleet request. + description: Describes a Spot Fleet request that was successfully canceled. + CancelSpotInstanceRequestState: + type: string + enum: + - active + - open + - closed + - cancelled + - completed + SpotInstanceRequestIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequestId' + - xml: + name: SpotInstanceRequestId + CancelSpotInstanceRequestsRequest: + type: object + required: + - SpotInstanceRequestIds + title: CancelSpotInstanceRequestsRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SpotInstanceRequestId: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequestIdList' + - description: One or more Spot Instance request IDs. + description: Contains the parameters for CancelSpotInstanceRequests. + CancelledSpotInstanceRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/CancelledSpotInstanceRequest' + - xml: + name: item + CancelledSpotInstanceRequest: + type: object + properties: + spotInstanceRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Instance request. + state: + allOf: + - $ref: '#/components/schemas/CancelSpotInstanceRequestState' + - description: The state of the Spot Instance request. + description: Describes a request to cancel a Spot Instance. + CapacityReservationInstancePlatform: + type: string + enum: + - Linux/UNIX + - Red Hat Enterprise Linux + - SUSE Linux + - Windows + - Windows with SQL Server + - Windows with SQL Server Enterprise + - Windows with SQL Server Standard + - Windows with SQL Server Web + - Linux with SQL Server Standard + - Linux with SQL Server Web + - Linux with SQL Server Enterprise + - RHEL with SQL Server Standard + - RHEL with SQL Server Enterprise + - RHEL with SQL Server Web + - RHEL with HA + - RHEL with HA and SQL Server Standard + - RHEL with HA and SQL Server Enterprise + CapacityReservationTenancy: + type: string + enum: + - default + - dedicated + CapacityReservationState: + type: string + enum: + - active + - expired + - cancelled + - pending + - failed + EndDateType: + type: string + enum: + - unlimited + - limited + InstanceMatchCriteria: + type: string + enum: + - open + - targeted + OutpostArn: + type: string + pattern: '^arn:aws([a-z-]+)?:outposts:[a-z\d-]+:\d{12}:outpost/op-[a-f0-9]{17}$' + PlacementGroupArn: + type: string + pattern: '^arn:aws([a-z-]+)?:ec2:[a-z\d-]+:\d{12}:placement-group/([^\s].+[^\s]){1,255}$' + CapacityReservation: + type: object + properties: + capacityReservationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Capacity Reservation. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the Capacity Reservation. + capacityReservationArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Capacity Reservation. + availabilityZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone ID of the Capacity Reservation. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The type of instance for which the Capacity Reservation reserves capacity. + instancePlatform: + allOf: + - $ref: '#/components/schemas/CapacityReservationInstancePlatform' + - description: The type of operating system for which the Capacity Reservation reserves capacity. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which the capacity is reserved. + tenancy: + allOf: + - $ref: '#/components/schemas/CapacityReservationTenancy' + - description: '

Indicates the tenancy of the Capacity Reservation. A Capacity Reservation can have one of the following tenancy settings:

' + totalInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of instances for which the Capacity Reservation reserves capacity. + availableInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The remaining capacity. Indicates the number of instances that can be launched in the Capacity Reservation. + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the Capacity Reservation supports EBS-optimized instances. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal I/O performance. This optimization isn't available with all instance types. Additional usage charges apply when using an EBS- optimized instance. + ephemeralStorage: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether the Capacity Reservation supports instances with temporary, block-level storage.' + state: + allOf: + - $ref: '#/components/schemas/CapacityReservationState' + - description: '

The current state of the Capacity Reservation. A Capacity Reservation can be in one of the following states:

' + startDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time at which the Capacity Reservation was started. + endDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time at which the Capacity Reservation expires. When a Capacity Reservation expires, the reserved capacity is released and you can no longer launch instances into it. The Capacity Reservation''s state changes to expired when it reaches its end date and time.' + endDateType: + allOf: + - $ref: '#/components/schemas/EndDateType' + - description: '

Indicates the way in which the Capacity Reservation ends. A Capacity Reservation can have one of the following end types:

' + instanceMatchCriteria: + allOf: + - $ref: '#/components/schemas/InstanceMatchCriteria' + - description: '

Indicates the type of instance launches that the Capacity Reservation accepts. The options include:

' + createDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time at which the Capacity Reservation was created. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the Capacity Reservation. + outpostArn: + allOf: + - $ref: '#/components/schemas/OutpostArn' + - description: The Amazon Resource Name (ARN) of the Outpost on which the Capacity Reservation was created. + capacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Capacity Reservation Fleet to which the Capacity Reservation belongs. Only valid for Capacity Reservations that were created by a Capacity Reservation Fleet. + placementGroupArn: + allOf: + - $ref: '#/components/schemas/PlacementGroupArn' + - description: 'The Amazon Resource Name (ARN) of the cluster placement group in which the Capacity Reservation was created. For more information, see Capacity Reservations for cluster placement groups in the Amazon EC2 User Guide.' + description: Describes a Capacity Reservation. + CapacityReservationFleetState: + type: string + enum: + - submitted + - modifying + - active + - partially_fulfilled + - expiring + - expired + - cancelling + - cancelled + - failed + FleetCapacityReservationTenancy: + type: string + enum: + - default + FleetInstanceMatchCriteria: + type: string + enum: + - open + FleetCapacityReservationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservation' + - xml: + name: item + CapacityReservationFleet: + type: object + properties: + capacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - description: The ID of the Capacity Reservation Fleet. + capacityReservationFleetArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the Capacity Reservation Fleet. + state: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetState' + - description: '

The state of the Capacity Reservation Fleet. Possible states include:

' + totalTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The total number of capacity units for which the Capacity Reservation Fleet reserves capacity. For more information, see Total target capacity in the Amazon EC2 User Guide.' + totalFulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The capacity units that have been fulfilled. + tenancy: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservationTenancy' + - description: '

The tenancy of the Capacity Reservation Fleet. Tenancies include:

' + endDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time at which the Capacity Reservation Fleet expires. + createTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time at which the Capacity Reservation Fleet was created. + instanceMatchCriteria: + allOf: + - $ref: '#/components/schemas/FleetInstanceMatchCriteria' + - description: '

Indicates the type of instance launches that the Capacity Reservation Fleet accepts. All Capacity Reservations in the Fleet inherit this instance matching criteria.

Currently, Capacity Reservation Fleets support open instance matching criteria only. This means that instances that have matching attributes (instance type, platform, and Availability Zone) run in the Capacity Reservations automatically. Instances do not need to explicitly target a Capacity Reservation Fleet to use its reserved capacity.

' + allocationStrategy: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The strategy used by the Capacity Reservation Fleet to determine which of the specified instance types to use. For more information, see For more information, see Allocation strategy in the Amazon EC2 User Guide.' + instanceTypeSpecificationSet: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservationSet' + - description: Information about the instance types for which to reserve the capacity. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the Capacity Reservation Fleet. + description: Information about a Capacity Reservation Fleet. + CapacityReservationFleetCancellationState: + type: object + properties: + currentFleetState: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetState' + - description: The current state of the Capacity Reservation Fleet. + previousFleetState: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetState' + - description: The previous state of the Capacity Reservation Fleet. + capacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - description: The ID of the Capacity Reservation Fleet that was successfully cancelled. + description: Describes a Capacity Reservation Fleet that was successfully cancelled. + CapacityReservationFleetSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleet' + - xml: + name: item + CapacityReservationGroup: + type: object + properties: + groupArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the resource group. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the resource group. + description: Describes a resource group to which a Capacity Reservation has been added. + CapacityReservationGroupSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationGroup' + - xml: + name: item + CapacityReservationIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservationId' + - xml: + name: item + FleetCapacityReservationUsageStrategy: + type: string + enum: + - use-capacity-reservations-first + CapacityReservationOptions: + type: object + properties: + usageStrategy: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservationUsageStrategy' + - description: '

Indicates whether to use unused Capacity Reservations for fulfilling On-Demand capacity.

If you specify use-capacity-reservations-first, the fleet uses unused Capacity Reservations to fulfill On-Demand capacity up to the target On-Demand capacity. If multiple instance pools have unused Capacity Reservations, the On-Demand allocation strategy (lowest-price or prioritized) is applied. If the number of unused Capacity Reservations is less than the On-Demand target capacity, the remaining On-Demand target capacity is launched according to the On-Demand allocation strategy (lowest-price or prioritized).

If you do not specify a value, the fleet fulfils the On-Demand capacity according to the chosen On-Demand allocation strategy.

' + description: '

Describes the strategy for using unused Capacity Reservations for fulfilling On-Demand capacity.

This strategy can only be used if the EC2 Fleet is of type instant.

For more information about Capacity Reservations, see On-Demand Capacity Reservations in the Amazon EC2 User Guide. For examples of using Capacity Reservations in an EC2 Fleet, see EC2 Fleet example configurations in the Amazon EC2 User Guide.

' + CapacityReservationOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FleetCapacityReservationUsageStrategy' + - description: '

Indicates whether to use unused Capacity Reservations for fulfilling On-Demand capacity.

If you specify use-capacity-reservations-first, the fleet uses unused Capacity Reservations to fulfill On-Demand capacity up to the target On-Demand capacity. If multiple instance pools have unused Capacity Reservations, the On-Demand allocation strategy (lowest-price or prioritized) is applied. If the number of unused Capacity Reservations is less than the On-Demand target capacity, the remaining On-Demand target capacity is launched according to the On-Demand allocation strategy (lowest-price or prioritized).

If you do not specify a value, the fleet fulfils the On-Demand capacity according to the chosen On-Demand allocation strategy.

' + description: '

Describes the strategy for using unused Capacity Reservations for fulfilling On-Demand capacity.

This strategy can only be used if the EC2 Fleet is of type instant.

For more information about Capacity Reservations, see On-Demand Capacity Reservations in the Amazon EC2 User Guide. For examples of using Capacity Reservations in an EC2 Fleet, see EC2 Fleet example configurations in the Amazon EC2 User Guide.

' + CapacityReservationPreference: + type: string + enum: + - open + - none + CapacityReservationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CapacityReservation' + - xml: + name: item + CapacityReservationSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CapacityReservationTarget' + - description: Information about the target Capacity Reservation or Capacity Reservation group. + description: '

Describes an instance''s Capacity Reservation targeting option. You can specify only one parameter at a time. If you specify CapacityReservationPreference and CapacityReservationTarget, the request fails.

Use the CapacityReservationPreference parameter to configure the instance to run as an On-Demand Instance or to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone). Use the CapacityReservationTarget parameter to explicitly target a specific Capacity Reservation or a Capacity Reservation group.

' + CapacityReservationTargetResponse: + type: object + properties: + capacityReservationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the targeted Capacity Reservation. + capacityReservationResourceGroupArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the targeted Capacity Reservation group. + description: Describes a target Capacity Reservation or Capacity Reservation group. + CapacityReservationSpecificationResponse: + type: object + properties: + capacityReservationPreference: + allOf: + - $ref: '#/components/schemas/CapacityReservationPreference' + - description: '

Describes the instance''s Capacity Reservation preferences. Possible preferences include:

' + capacityReservationTarget: + allOf: + - $ref: '#/components/schemas/CapacityReservationTargetResponse' + - description: Information about the targeted Capacity Reservation or Capacity Reservation group. + description: 'Describes the instance''s Capacity Reservation targeting preferences. The action returns the capacityReservationPreference response element if the instance is configured to run in On-Demand capacity, or if it is configured in run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone). The action returns the capacityReservationTarget response element if the instance explicily targets a specific Capacity Reservation or Capacity Reservation group.' + CarrierGatewayState: + type: string + enum: + - pending + - available + - deleting + - deleted + CarrierGateway: + type: object + properties: + carrierGatewayId: + allOf: + - $ref: '#/components/schemas/CarrierGatewayId' + - description: The ID of the carrier gateway. + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC associated with the carrier gateway. + state: + allOf: + - $ref: '#/components/schemas/CarrierGatewayState' + - description: The state of the carrier gateway. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the carrier gateway. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the carrier gateway. + description: Describes a carrier gateway. + CarrierGatewayIdSet: + type: array + items: + $ref: '#/components/schemas/CarrierGatewayId' + CarrierGatewayMaxResults: + type: integer + minimum: 5 + maximum: 1000 + CarrierGatewaySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CarrierGateway' + - xml: + name: item + CertificateAuthentication: + type: object + properties: + clientRootCertificateChain: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the client certificate. ' + description: Information about the client certificate used for authentication. + CertificateAuthenticationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the client certificate. The certificate must be signed by a certificate authority (CA) and it must be provisioned in Certificate Manager (ACM). + description: Information about the client certificate to be used for authentication. + CidrAuthorizationContext: + type: object + required: + - Message + - Signature + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The signed authorization message for the prefix and account. + description: 'Provides authorization for Amazon to bring a specific IP address range to a specific Amazon Web Services account using bring your own IP addresses (BYOIP). For more information, see Configuring your BYOIP address range in the Amazon Elastic Compute Cloud User Guide.' + CidrBlock: + type: object + properties: + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR block. + description: Describes an IPv4 CIDR block. + CidrBlockSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CidrBlock' + - xml: + name: item + ClassicLinkDnsSupport: + type: object + properties: + classicLinkDnsSupported: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether ClassicLink DNS support is enabled for the VPC. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + description: Describes the ClassicLink DNS support status of a VPC. + ClassicLinkDnsSupportList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClassicLinkDnsSupport' + - xml: + name: item + GroupIdentifierList: + type: array + items: + allOf: + - $ref: '#/components/schemas/GroupIdentifier' + - xml: + name: item + ClassicLinkInstance: + type: object + properties: + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: A list of security groups. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the instance. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + description: Describes a linked EC2-Classic instance. + ClassicLinkInstanceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClassicLinkInstance' + - xml: + name: item + ClassicLoadBalancer: + type: object + properties: + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the load balancer. + description: Describes a Classic Load Balancer. + ClassicLoadBalancers: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClassicLoadBalancer' + - xml: + name: item + minItems: 1 + maxItems: 5 + ClassicLoadBalancersConfig: + type: object + properties: + classicLoadBalancers: + allOf: + - $ref: '#/components/schemas/ClassicLoadBalancers' + - description: One or more Classic Load Balancers. + description: Describes the Classic Load Balancers to attach to a Spot Fleet. Spot Fleet registers the running Spot Instances with these Classic Load Balancers. + ClientCertificateRevocationListStatusCode: + type: string + enum: + - pending + - active + ClientCertificateRevocationListStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/ClientCertificateRevocationListStatusCode' + - description: The state of the client certificate revocation list. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the client certificate revocation list, if applicable.' + description: Describes the state of a client certificate revocation list. + ClientConnectOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Lambda function used for connection authorization. + description: The options for managing connection authorization for new client connections. + ClientVpnEndpointAttributeStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointAttributeStatusCode' + - description: The status code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The status message. + description: Describes the status of the Client VPN endpoint attribute. + ClientConnectResponseOptions: + type: object + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether client connect options are enabled. + lambdaFunctionArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Lambda function used for connection authorization. + status: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointAttributeStatus' + - description: The status of any updates to the client connect options. + description: The options for managing connection authorization for new client connections. + ClientData: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that the disk upload starts. + description: Describes the client-specific data. + ClientLoginBannerOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: Customizable text that will be displayed in a banner on Amazon Web Services provided clients when a VPN session is established. UTF-8 encoded characters only. Maximum of 1400 characters. + description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + ClientLoginBannerResponseOptions: + type: object + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Current state of text banner feature.

Valid values: true | false

' + bannerText: + allOf: + - $ref: '#/components/schemas/String' + - description: Customizable text that will be displayed in a banner on Amazon Web Services provided clients when a VPN session is established. UTF-8 encoded characters only. Maximum of 1400 characters. + description: Current state of options for customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + ClientVpnAssociationId: + type: string + ClientVpnAuthenticationType: + type: string + enum: + - certificate-authentication + - directory-service-authentication + - federated-authentication + DirectoryServiceAuthentication: + type: object + properties: + directoryId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Active Directory used for authentication. + description: Describes an Active Directory. + FederatedAuthentication: + type: object + properties: + samlProviderArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the IAM SAML identity provider. + selfServiceSamlProviderArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the IAM SAML identity provider for the self-service portal. + description: Describes the IAM SAML identity providers used for federated authentication. + ClientVpnAuthentication: + type: object + properties: + type: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthenticationType' + - description: The authentication type used. + activeDirectory: + allOf: + - $ref: '#/components/schemas/DirectoryServiceAuthentication' + - description: 'Information about the Active Directory, if applicable.' + mutualAuthentication: + allOf: + - $ref: '#/components/schemas/CertificateAuthentication' + - description: 'Information about the authentication certificates, if applicable.' + federatedAuthentication: + allOf: + - $ref: '#/components/schemas/FederatedAuthentication' + - description: 'Information about the IAM SAML identity provider, if applicable.' + description: 'Describes the authentication methods used by a Client VPN endpoint. For more information, see Authentication in the Client VPN Administrator Guide.' + ClientVpnAuthenticationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthentication' + - xml: + name: item + FederatedAuthenticationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the IAM SAML identity provider for the self-service portal. + description: The IAM SAML identity provider used for federated authentication. + ClientVpnAuthenticationRequestList: + type: array + items: + $ref: '#/components/schemas/ClientVpnAuthenticationRequest' + ClientVpnAuthorizationRuleStatusCode: + type: string + enum: + - authorizing + - active + - failed + - revoking + ClientVpnConnectionStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/ClientVpnConnectionStatusCode' + - description: The state of the client connection. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the client connection, if applicable.' + description: Describes the status of a client connection. + ValueStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + ClientVpnConnection: + type: object + properties: + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint to which the client is connected. + timestamp: + allOf: + - $ref: '#/components/schemas/String' + - description: The current date and time. + connectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the client connection. + username: + allOf: + - $ref: '#/components/schemas/String' + - description: The username of the client who established the client connection. This information is only provided if Active Directory client authentication is used. + connectionEstablishedTime: + allOf: + - $ref: '#/components/schemas/String' + - description: The date and time the client connection was established. + ingressBytes: + allOf: + - $ref: '#/components/schemas/String' + - description: The number of bytes sent by the client. + egressBytes: + allOf: + - $ref: '#/components/schemas/String' + - description: The number of bytes received by the client. + ingressPackets: + allOf: + - $ref: '#/components/schemas/String' + - description: The number of packets sent by the client. + egressPackets: + allOf: + - $ref: '#/components/schemas/String' + - description: The number of packets received by the client. + clientIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address of the client. + commonName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The common name associated with the client. This is either the name of the client certificate, or the Active Directory user name.' + status: + allOf: + - $ref: '#/components/schemas/ClientVpnConnectionStatus' + - description: The current state of the client connection. + connectionEndTime: + allOf: + - $ref: '#/components/schemas/String' + - description: The date and time the client connection was terminated. + postureComplianceStatusSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: 'The statuses returned by the client connect handler for posture compliance, if applicable.' + description: Describes a client connection. + ClientVpnConnectionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClientVpnConnection' + - xml: + name: item + ClientVpnConnectionStatusCode: + type: string + enum: + - active + - failed-to-terminate + - terminating + - terminated + ClientVpnEndpointStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointStatusCode' + - description: '

The state of the Client VPN endpoint. Possible states include:

' + message: + allOf: + - $ref: '#/components/schemas/String' + - description: A message about the status of the Client VPN endpoint. + description: Describes the state of a Client VPN endpoint. + VpnProtocol: + type: string + enum: + - openvpn + TransportProtocol: + type: string + enum: + - tcp + - udp + ConnectionLogResponseOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Amazon CloudWatch Logs log stream to which connection logging data is published. + description: Information about the client connection logging options for a Client VPN endpoint. + ClientVpnEndpoint: + type: object + properties: + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief description of the endpoint. + status: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointStatus' + - description: The current state of the Client VPN endpoint. + creationTime: + allOf: + - $ref: '#/components/schemas/String' + - description: The date and time the Client VPN endpoint was created. + deletionTime: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The date and time the Client VPN endpoint was deleted, if applicable.' + dnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The DNS name to be used by clients when connecting to the Client VPN endpoint. + clientCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 address range, in CIDR notation, from which client IP addresses are assigned.' + dnsServer: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: 'Information about the DNS servers to be used for DNS resolution. ' + splitTunnel: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether split-tunnel is enabled in the Client VPN endpoint.

For information about split-tunnel VPN endpoints, see Split-Tunnel Client VPN endpoint in the Client VPN Administrator Guide.

' + vpnProtocol: + allOf: + - $ref: '#/components/schemas/VpnProtocol' + - description: The protocol used by the VPN session. + transportProtocol: + allOf: + - $ref: '#/components/schemas/TransportProtocol' + - description: The transport protocol used by the Client VPN endpoint. + vpnPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The port number for the Client VPN endpoint. + associatedTargetNetwork: + allOf: + - $ref: '#/components/schemas/AssociatedTargetNetworkSet' + - deprecated: true + description: 'Information about the associated target networks. A target network is a subnet in a VPC.This property is deprecated. To view the target networks associated with a Client VPN endpoint, call DescribeClientVpnTargetNetworks and inspect the clientVpnTargetNetworks response element.' + serverCertificateArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the server certificate. + authenticationOptions: + allOf: + - $ref: '#/components/schemas/ClientVpnAuthenticationList' + - description: Information about the authentication method used by the Client VPN endpoint. + connectionLogOptions: + allOf: + - $ref: '#/components/schemas/ConnectionLogResponseOptions' + - description: Information about the client connection logging options for the Client VPN endpoint. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the Client VPN endpoint. + securityGroupIdSet: + allOf: + - $ref: '#/components/schemas/ClientVpnSecurityGroupIdSet' + - description: The IDs of the security groups for the target network. + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + selfServicePortalUrl: + allOf: + - $ref: '#/components/schemas/String' + - description: The URL of the self-service portal. + clientConnectOptions: + allOf: + - $ref: '#/components/schemas/ClientConnectResponseOptions' + - description: The options for managing connection authorization for new client connections. + sessionTimeoutHours: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The maximum VPN session duration time in hours.

Valid values: 8 | 10 | 12 | 24

Default value: 24

' + clientLoginBannerOptions: + allOf: + - $ref: '#/components/schemas/ClientLoginBannerResponseOptions' + - description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + description: Describes a Client VPN endpoint. + ClientVpnEndpointAttributeStatusCode: + type: string + enum: + - applying + - applied + ClientVpnEndpointIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointId' + - xml: + name: item + ClientVpnEndpointStatusCode: + type: string + enum: + - pending-associate + - available + - deleting + - deleted + ClientVpnRouteStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/ClientVpnRouteStatusCode' + - description: The state of the Client VPN endpoint route. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the Client VPN endpoint route, if applicable.' + description: Describes the state of a Client VPN endpoint route. + ClientVpnRoute: + type: object + properties: + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint with which the route is associated. + destinationCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 address range, in CIDR notation, of the route destination.' + targetSubnet: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet through which traffic is routed. + type: + allOf: + - $ref: '#/components/schemas/String' + - description: The route type. + origin: + allOf: + - $ref: '#/components/schemas/String' + - description: Indicates how the route was associated with the Client VPN endpoint. associate indicates that the route was automatically added when the target network was associated with the Client VPN endpoint. add-route indicates that the route was manually added using the CreateClientVpnRoute action. + status: + allOf: + - $ref: '#/components/schemas/ClientVpnRouteStatus' + - description: The current state of the route. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief description of the route. + description: Information about a Client VPN endpoint route. + ClientVpnRouteSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClientVpnRoute' + - xml: + name: item + ClientVpnRouteStatusCode: + type: string + enum: + - creating + - active + - failed + - deleting + CoipAddressUsage: + type: object + properties: + allocationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The allocation ID of the address. + awsAccountId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID. + awsService: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services service. + coIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The customer-owned IP address. + description: Describes address usage for a customer-owned address pool. + CoipAddressUsageSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CoipAddressUsage' + - xml: + name: item + CoipPool: + type: object + properties: + poolId: + allOf: + - $ref: '#/components/schemas/Ipv4PoolCoipId' + - description: The ID of the address pool. + poolCidrSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The address ranges of the address pool. + localGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoutetableId' + - description: The ID of the local gateway route table. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags. + poolArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the address pool. + description: Describes a customer-owned address pool. + CoipPoolId: + type: string + CoipPoolIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PoolCoipId' + - xml: + name: item + CoipPoolMaxResults: + type: integer + minimum: 5 + maximum: 1000 + CoipPoolSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CoipPool' + - xml: + name: item + ConfirmProductInstanceRequest: + type: object + required: + - InstanceId + - ProductCode + title: ConfirmProductInstanceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The product code. This must be a product code that you own. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ConnectionLogOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the CloudWatch Logs log stream to which the connection data is published. + description: Describes the client connection logging options for the Client VPN endpoint. + ConnectionNotificationType: + type: string + enum: + - Topic + ConnectionNotificationState: + type: string + enum: + - Enabled + - Disabled + ConnectionNotification: + type: object + properties: + connectionNotificationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the notification. + serviceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the endpoint service. + vpcEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC endpoint. + connectionNotificationType: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationType' + - description: The type of notification. + connectionNotificationArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the SNS topic for the notification. + connectionEvents: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: 'The events for the notification. Valid values are Accept, Connect, Delete, and Reject.' + connectionNotificationState: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationState' + - description: The state of the notification. + description: Describes a connection notification for a VPC endpoint or VPC endpoint service. + ConnectionNotificationIdsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationId' + - xml: + name: item + ConnectionNotificationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ConnectionNotification' + - xml: + name: item + ConnectivityType: + type: string + enum: + - private + - public + ConversionIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ConversionTaskId' + - xml: + name: item + ImportInstanceTaskDetails: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the task. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + platform: + allOf: + - $ref: '#/components/schemas/PlatformValues' + - description: The instance operating system. + volumes: + allOf: + - $ref: '#/components/schemas/ImportInstanceVolumeDetailSet' + - description: The volumes. + description: Describes an import instance task. + ImportVolumeTaskDetails: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone where the resulting volume will reside. + bytesConverted: + allOf: + - $ref: '#/components/schemas/Long' + - description: The number of bytes converted so far. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description you provided when starting the import volume task. + image: + allOf: + - $ref: '#/components/schemas/DiskImageDescription' + - description: The image. + volume: + allOf: + - $ref: '#/components/schemas/DiskImageVolumeDescription' + - description: The volume. + description: Describes an import volume task. + ConversionTaskState: + type: string + enum: + - active + - cancelling + - cancelled + - completed + ConversionTask: + type: object + properties: + conversionTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the conversion task. + expirationTime: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The time when the task expires. If the upload isn''t complete before the expiration time, we automatically cancel the task.' + importInstance: + allOf: + - $ref: '#/components/schemas/ImportInstanceTaskDetails' + - description: 'If the task is for importing an instance, this contains information about the import instance task.' + importVolume: + allOf: + - $ref: '#/components/schemas/ImportVolumeTaskDetails' + - description: 'If the task is for importing a volume, this contains information about the import volume task.' + state: + allOf: + - $ref: '#/components/schemas/ConversionTaskState' + - description: The state of the conversion task. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The status message related to the conversion task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the task. + description: Describes a conversion task. + CopyFpgaImageRequest: + type: object + required: + - SourceFpgaImageId + - SourceRegion + title: CopyFpgaImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring idempotency.' + CopyImageRequest: + type: object + required: + - Name + - SourceImageId + - SourceRegion + title: CopyImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the new AMI in the destination Region. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Specifies whether the destination snapshots of the copied image should be encrypted. You can encrypt a copy of an unencrypted snapshot, but you cannot create an unencrypted copy of an encrypted snapshot. The default KMS key for Amazon EBS is used unless you specify a non-default Key Management Service (KMS) KMS key using KmsKeyId. For more information, see Amazon EBS Encryption in the Amazon Elastic Compute Cloud User Guide.' + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Amazon Resource Name (ARN) of the Outpost to which to copy the AMI. Only specify this parameter when copying an AMI from an Amazon Web Services Region to an Outpost. The AMI must be in the Region of the destination Outpost. You cannot copy an AMI from an Outpost to a Region, from one Outpost to another, or within the same Outpost.

For more information, see Copying AMIs from an Amazon Web Services Region to an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for CopyImage. + KmsKeyId: + type: string + CopySnapshotRequest: + type: object + required: + - SourceRegion + - SourceSnapshotId + title: CopySnapshotRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Amazon Resource Name (ARN) of the Outpost to which to copy the snapshot. Only specify this parameter when copying a snapshot from an Amazon Web Services Region to an Outpost. The snapshot must be in the Region for the destination Outpost. You cannot copy a snapshot from an Outpost to a Region, from one Outpost to another, or within the same Outpost.

For more information, see Copy snapshots from an Amazon Web Services Region to an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + destinationRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The destination Region to use in the PresignedUrl parameter of a snapshot copy operation. This parameter is only valid for specifying the destination Region in a PresignedUrl parameter, where it is required.

The snapshot copy is sent to the regional endpoint that you sent the HTTP request to (for example, ec2.us-east-1.amazonaws.com). With the CLI, this is specified using the --region parameter or the default Region in your Amazon Web Services configuration file.

' + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'To encrypt a copy of an unencrypted snapshot if encryption by default is not enabled, enable encryption using this parameter. Otherwise, omit this parameter. Encrypted snapshots are encrypted, even if you omit this parameter and encryption by default is not enabled. You cannot set this parameter to false. For more information, see Amazon EBS encryption in the Amazon Elastic Compute Cloud User Guide.' + kmsKeyId: + allOf: + - $ref: '#/components/schemas/KmsKeyId' + - description: '

The identifier of the Key Management Service (KMS) KMS key to use for Amazon EBS encryption. If this parameter is not specified, your KMS key for Amazon EBS is used. If KmsKeyId is specified, the encrypted state must be true.

You can specify the KMS key using any of the following:

Amazon Web Services authenticates the KMS key asynchronously. Therefore, if you specify an ID, alias, or ARN that is not valid, the action can appear to complete, but eventually fails.

' + presignedUrl: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the EBS snapshot to copy. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the new snapshot. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CopyTagsFromSource: + type: string + enum: + - volume + CoreCount: + type: integer + CoreCountList: + type: array + items: + allOf: + - $ref: '#/components/schemas/CoreCount' + - xml: + name: item + CoreNetworkArn: + type: string + CpuManufacturer: + type: string + enum: + - intel + - amd + - amazon-web-services + CpuManufacturerSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CpuManufacturer' + - xml: + name: item + CpuOptions: + type: object + properties: + coreCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of CPU cores for the instance. + threadsPerCore: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of threads per CPU core. + description: The CPU options for the instance. + CpuOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of threads per CPU core. To disable multithreading for the instance, specify a value of 1. Otherwise, specify the default value of 2.' + description: The CPU options for the instance. Both the core count and threads per core must be specified in the request. + CreateCapacityReservationFleetRequest: + type: object + required: + - InstanceTypeSpecifications + - TotalTargetCapacity + title: CreateCapacityReservationFleetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensure Idempotency.' + InstanceTypeSpecification: + allOf: + - $ref: '#/components/schemas/FleetInstanceMatchCriteria' + - description: '

Indicates the type of instance launches that the Capacity Reservation Fleet accepts. All Capacity Reservations in the Fleet inherit this instance matching criteria.

Currently, Capacity Reservation Fleets support open instance matching criteria only. This means that instances that have matching attributes (instance type, platform, and Availability Zone) run in the Capacity Reservations automatically. Instances do not need to explicitly target a Capacity Reservation Fleet to use its reserved capacity.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateCapacityReservationRequest: + type: object + required: + - InstanceType + - InstancePlatform + - InstanceCount + title: CreateCapacityReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/PlacementGroupArn' + - description: 'The Amazon Resource Name (ARN) of the cluster placement group in which to create the Capacity Reservation. For more information, see Capacity Reservations for cluster placement groups in the Amazon EC2 User Guide.' + CreateCarrierGatewayRequest: + type: object + required: + - VpcId + title: CreateCarrierGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC to associate with the carrier gateway. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + CreateClientVpnEndpointRequest: + type: object + required: + - ClientCidrBlock + - ServerCertificateArn + - AuthenticationOptions + - ConnectionLogOptions + title: CreateClientVpnEndpointRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the server certificate. For more information, see the Certificate Manager User Guide.' + Authentication: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the Client VPN endpoint during creation. + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/ClientLoginBannerOptions' + - description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + CreateClientVpnRouteRequest: + type: object + required: + - ClientVpnEndpointId + - DestinationCidrBlock + - TargetVpcSubnetId + title: CreateClientVpnRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GatewayType: + type: string + enum: + - ipsec.1 + CreateCustomerGatewayRequest: + type: object + required: + - BgpAsn + - Type + title: CreateCustomerGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

For devices that support BGP, the customer gateway''s BGP ASN.

Default: 65000

' + IpAddress: + allOf: + - $ref: '#/components/schemas/GatewayType' + - description: The type of VPN connection that this customer gateway supports (ipsec.1). + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A name for the customer gateway device.

Length Constraints: Up to 255 characters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for CreateCustomerGateway. + CustomerGateway: + type: object + properties: + bgpAsn: + allOf: + - $ref: '#/components/schemas/String' + - description: The customer gateway's Border Gateway Protocol (BGP) Autonomous System Number (ASN). + customerGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the customer gateway. + ipAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The Internet-routable IP address of the customer gateway's outside interface. + certificateArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) for the customer gateway certificate. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The current state of the customer gateway (pending | available | deleting | deleted). + type: + allOf: + - $ref: '#/components/schemas/String' + - description: The type of VPN connection the customer gateway supports (ipsec.1). + deviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of customer gateway device. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the customer gateway. + description: Describes a customer gateway. + CreateDefaultSubnetRequest: + type: object + required: + - AvailabilityZone + title: CreateDefaultSubnetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether to create an IPv6 only subnet. If you already have a default subnet for this Availability Zone, you must delete it before you can create an IPv6 only subnet.' + Subnet: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone of the subnet. + availabilityZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: The AZ ID of the subnet. + availableIpAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of unused private IPv4 addresses in the subnet. The IPv4 addresses for any stopped instances are considered unavailable. + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR block assigned to the subnet. + defaultForAz: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is the default subnet for the Availability Zone. + enableLniAtDeviceIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: ' Indicates the device position for local network interfaces in this subnet. For example, 1 indicates local network interfaces in this subnet are the secondary network interface (eth1). ' + mapPublicIpOnLaunch: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether instances launched in this subnet receive a public IPv4 address. + mapCustomerOwnedIpOnLaunch: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether a network interface created in this subnet (including a network interface created by RunInstances) receives a customer-owned IPv4 address. + customerOwnedIpv4Pool: + allOf: + - $ref: '#/components/schemas/CoipPoolId' + - description: The customer-owned IPv4 address pool associated with the subnet. + state: + allOf: + - $ref: '#/components/schemas/SubnetState' + - description: The current state of the subnet. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC the subnet is in. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the subnet. + assignIpv6AddressOnCreation: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether a network interface created in this subnet (including a network interface created by RunInstances) receives an IPv6 address. + ipv6CidrBlockAssociationSet: + allOf: + - $ref: '#/components/schemas/SubnetIpv6CidrBlockAssociationSet' + - description: Information about the IPv6 CIDR blocks associated with the subnet. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the subnet. + subnetArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the subnet. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + enableDns64: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether DNS queries made to the Amazon-provided DNS Resolver in this subnet should return synthetic IPv6 addresses for IPv4-only destinations. + ipv6Native: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is an IPv6 only subnet. + privateDnsNameOptionsOnLaunch: + allOf: + - $ref: '#/components/schemas/PrivateDnsNameOptionsOnLaunch' + - description: The type of hostnames to assign to instances in the subnet at launch. An instance hostname is based on the IPv4 address or ID of the instance. + description: Describes a subnet. + CreateDefaultVpcRequest: + type: object + title: CreateDefaultVpcRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Vpc: + type: object + properties: + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The primary IPv4 CIDR block for the VPC. + dhcpOptionsId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the set of DHCP options you've associated with the VPC. + state: + allOf: + - $ref: '#/components/schemas/VpcState' + - description: The current state of the VPC. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the VPC. + instanceTenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: The allowed tenancy of instances launched into the VPC. + ipv6CidrBlockAssociationSet: + allOf: + - $ref: '#/components/schemas/VpcIpv6CidrBlockAssociationSet' + - description: Information about the IPv6 CIDR blocks associated with the VPC. + cidrBlockAssociationSet: + allOf: + - $ref: '#/components/schemas/VpcCidrBlockAssociationSet' + - description: Information about the IPv4 CIDR blocks associated with the VPC. + isDefault: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the VPC is the default VPC. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the VPC. + description: Describes a VPC. + NewDhcpConfigurationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NewDhcpConfiguration' + - xml: + name: item + CreateDhcpOptionsRequest: + type: object + required: + - DhcpConfigurations + title: CreateDhcpOptionsRequest + properties: + dhcpConfiguration: + allOf: + - $ref: '#/components/schemas/NewDhcpConfigurationList' + - description: A DHCP configuration option. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the DHCP option. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DhcpOptions: + type: object + properties: + dhcpConfigurationSet: + allOf: + - $ref: '#/components/schemas/DhcpConfigurationList' + - description: One or more DHCP options in the set. + dhcpOptionsId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the set of DHCP options. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the DHCP options set. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the DHCP options set. + description: Describes a set of DHCP options. + CreateEgressOnlyInternetGatewayRequest: + type: object + required: + - VpcId + title: CreateEgressOnlyInternetGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC for which to create the egress-only internet gateway. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the egress-only internet gateway. + EgressOnlyInternetGateway: + type: object + properties: + attachmentSet: + allOf: + - $ref: '#/components/schemas/InternetGatewayAttachmentList' + - description: Information about the attachment of the egress-only internet gateway. + egressOnlyInternetGatewayId: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayId' + - description: The ID of the egress-only internet gateway. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the egress-only internet gateway. + description: Describes an egress-only internet gateway. + LaunchTemplateAndOverridesResponse: + type: object + properties: + launchTemplateSpecification: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateSpecification' + - description: The launch template. + overrides: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateOverrides' + - description: Any parameters that you specify override the same parameters in the launch template. + description: Describes a launch template and overrides. + InstanceLifecycle: + type: string + enum: + - spot + - on-demand + CreateFleetError: + type: object + properties: + launchTemplateAndOverrides: + allOf: + - $ref: '#/components/schemas/LaunchTemplateAndOverridesResponse' + - description: The launch templates and overrides that were used for launching the instances. The values that you specify in the Overrides replace the values in the launch template. + lifecycle: + allOf: + - $ref: '#/components/schemas/InstanceLifecycle' + - description: Indicates if the instance that could not be launched was a Spot Instance or On-Demand Instance. + errorCode: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error code that indicates why the instance could not be launched. For more information about error codes, see Error codes.' + errorMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error message that describes why the instance could not be launched. For more information about error messages, see Error codes.' + description: Describes the instances that could not be launched by the fleet. + CreateFleetErrorsSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CreateFleetError' + - xml: + name: item + InstanceIdsSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: item + PlatformValues: + type: string + enum: + - Windows + CreateFleetInstance: + type: object + properties: + launchTemplateAndOverrides: + allOf: + - $ref: '#/components/schemas/LaunchTemplateAndOverridesResponse' + - description: The launch templates and overrides that were used for launching the instances. The values that you specify in the Overrides replace the values in the launch template. + lifecycle: + allOf: + - $ref: '#/components/schemas/InstanceLifecycle' + - description: Indicates if the instance that was launched is a Spot Instance or On-Demand Instance. + instanceIds: + allOf: + - $ref: '#/components/schemas/InstanceIdsSet' + - description: The IDs of the instances. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + platform: + allOf: + - $ref: '#/components/schemas/PlatformValues' + - description: 'The value is Windows for Windows instances. Otherwise, the value is blank.' + description: Describes the instances that were launched by the fleet. + CreateFleetInstancesSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/CreateFleetInstance' + - xml: + name: item + CreateFleetRequest: + type: object + required: + - LaunchTemplateConfigs + - TargetCapacitySpecification + title: CreateFleetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether EC2 Fleet should replace unhealthy Spot Instances. Supported only for fleets of type maintain. For more information, see EC2 Fleet health checks in the Amazon EC2 User Guide.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + DestinationOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to partition the flow log per hour. This reduces the cost and response time for queries. The default is false. + description: Describes the destination options for a flow log. + CreateFlowLogsRequest: + type: object + required: + - ResourceIds + - ResourceType + - TrafficType + title: CreateFlowLogsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The name of a new or existing CloudWatch Logs log group where Amazon EC2 publishes your flow logs.

If you specify LogDestinationType as s3, do not specify DeliverLogsPermissionArn or LogGroupName.

' + ResourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The fields to include in the flow log record, in the order in which they should appear. For a list of available fields, see Flow log records. If you omit this parameter, the flow log is created using the default format. If you specify this parameter, you must specify at least one field.

Specify the fields using the ${field-id} format, separated by spaces. For the CLI, surround this parameter value with single quotes on Linux or double quotes on Windows.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/DestinationOptionsRequest' + - description: The destination options. + CreateFpgaImageRequest: + type: object + required: + - InputStorageLocation + title: CreateFpgaImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the FPGA image during creation. + CreateImageRequest: + type: object + required: + - InstanceId + - Name + title: CreateImageRequest + properties: + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingRequestList' + - description: 'The block device mappings. This parameter cannot be used to modify the encryption status of existing volumes or snapshots. To create an AMI with encrypted snapshots, use the CopyImage action.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the new image. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A name for the new image.

Constraints: 3-128 alphanumeric characters, parentheses (()), square brackets ([]), spaces ( ), periods (.), slashes (/), dashes (-), single quotes (''), at-signs (@), or underscores(_)

' + noReboot: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

By default, when Amazon EC2 creates the new AMI, it reboots the instance so that it can take snapshots of the attached volumes while data is at rest, in order to ensure a consistent state. You can set the NoReboot parameter to true in the API request, or use the --no-reboot option in the CLI to prevent Amazon EC2 from shutting down and rebooting the instance.

If you choose to bypass the shutdown and reboot process by setting the NoReboot parameter to true in the API request, or by using the --no-reboot option in the CLI, we can''t guarantee the file system integrity of the created image.

Default: false (follow standard reboot process)

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: '

The tags to apply to the AMI and snapshots on creation. You can tag the AMI, the snapshots, or both.

If you specify other values for ResourceType, the request fails.

To tag an AMI or snapshot after it has been created, see CreateTags.

' + InstanceEventWindowCronExpression: + type: string + CreateInstanceEventWindowRequest: + type: object + title: CreateInstanceEventWindowRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the event window. + TimeRange: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowCronExpression' + - description: '

The cron expression for the event window, for example, * 0-4,20-23 * * 1,5. If you specify a cron expression, you can''t specify a time range.

Constraints:

For more information about cron expressions, see cron on the Wikipedia website.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the event window. + ExportToS3TaskSpecification: + type: object + properties: + containerFormat: + allOf: + - $ref: '#/components/schemas/ContainerFormat' + - description: 'The container format used to combine disk images with metadata (such as OVF). If absent, only the disk image is exported.' + diskImageFormat: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The format for the exported image. + s3Bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon S3 bucket for the destination image. The destination bucket must exist and grant WRITE and READ_ACP permissions to the Amazon Web Services account vm-import-export@amazon.com. + s3Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The image is written to a single object in the Amazon S3 bucket at the S3 key s3prefix + exportTaskId + '.' + diskImageFormat. + description: Describes an export instance task. + ExportEnvironment: + type: string + enum: + - citrix + - vmware + - microsoft + CreateInstanceExportTaskRequest: + type: object + required: + - ExportToS3Task + - InstanceId + - TargetEnvironment + title: CreateInstanceExportTaskRequest + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the conversion task or the resource being exported. The maximum length is 255 characters. + exportToS3: + allOf: + - $ref: '#/components/schemas/ExportToS3TaskSpecification' + - description: The format and location for an export instance task. + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + targetEnvironment: + allOf: + - $ref: '#/components/schemas/ExportEnvironment' + - description: The target virtualization environment. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the export instance task during creation. + ExportTask: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the resource being exported. + exportTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the export task. + exportToS3: + allOf: + - $ref: '#/components/schemas/ExportToS3Task' + - description: Information about the export task. + instanceExport: + allOf: + - $ref: '#/components/schemas/InstanceExportDetails' + - description: Information about the instance to export. + state: + allOf: + - $ref: '#/components/schemas/ExportTaskState' + - description: The state of the export task. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The status message related to the export task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the export task. + description: Describes an export instance task. + CreateInternetGatewayRequest: + type: object + title: CreateInternetGatewayRequest + properties: + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the internet gateway. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + InternetGateway: + type: object + properties: + attachmentSet: + allOf: + - $ref: '#/components/schemas/InternetGatewayAttachmentList' + - description: Any VPCs attached to the internet gateway. + internetGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the internet gateway. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the internet gateway. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the internet gateway. + description: Describes an internet gateway. + IpamNetmaskLength: + type: integer + minimum: 0 + maximum: 128 + RequestIpamResourceTagList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTag' + - xml: + name: item + IpamPoolAwsService: + type: string + enum: + - ec2 + CreateIpamPoolRequest: + type: object + required: + - IpamScopeId + - AddressFamily + title: CreateIpamPoolRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamNetmaskLength' + - description: 'The default netmask length for allocations added to this pool. If, for example, the CIDR assigned to this pool is 10.0.0.0/8 and you enter 16 here, new allocations will default to 10.0.0.0/16.' + AllocationResourceTag: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTagList' + - description: 'Tags that are required for resources that use CIDRs from this IPAM pool. Resources that do not have these tags will not be allowed to allocate space from the pool. If the resources have their tags changed after they have allocated space or if the allocation tagging requirements are changed on the pool, the resource may be marked as noncompliant.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/IpamPoolAwsService' + - description: 'Limits which service in Amazon Web Services that the pool can be used in. "ec2", for example, allows users to use space for Elastic IP addresses and VPCs.' + IpamPool: + type: object + properties: + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the IPAM pool. + ipamPoolId: + allOf: + - $ref: '#/components/schemas/IpamPoolId' + - description: The ID of the IPAM pool. + sourceIpamPoolId: + allOf: + - $ref: '#/components/schemas/IpamPoolId' + - description: The ID of the source IPAM pool. You can use this option to create an IPAM pool within an existing source pool. + ipamPoolArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the IPAM pool. + ipamScopeArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the scope of the IPAM pool. + ipamScopeType: + allOf: + - $ref: '#/components/schemas/IpamScopeType' + - description: 'In IPAM, a scope is the highest-level container within IPAM. An IPAM contains two default scopes. Each scope represents the IP space for a single network. The private scope is intended for all private IP address space. The public scope is intended for all public IP address space. Scopes enable you to reuse IP addresses across multiple unconnected networks without causing IP address overlap or conflict.' + ipamArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the IPAM. + ipamRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services Region of the IPAM pool. + locale: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The locale of the IPAM pool. In IPAM, the locale is the Amazon Web Services Region where you want to make an IPAM pool available for allocations. Only resources in the same Region as the locale of the pool can get IP address allocations from the pool. You can only allocate a CIDR for a VPC, for example, from an IPAM pool that shares a locale with the VPC’s Region. Note that once you choose a Locale for a pool, you cannot modify it. If you choose an Amazon Web Services Region for locale that has not been configured as an operating Region for the IPAM, you''ll get an error.' + poolDepth: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The depth of pools in your IPAM pool. The pool depth quota is 10. For more information, see Quotas in IPAM in the Amazon VPC IPAM User Guide. ' + state: + allOf: + - $ref: '#/components/schemas/IpamPoolState' + - description: The state of the IPAM pool. + stateMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: A message related to the failed creation of an IPAM pool. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the IPAM pool. + autoImport: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If selected, IPAM will continuously look for resources within the CIDR range of this pool and automatically import them as allocations into your IPAM. The CIDRs that will be allocated for these resources must not already be allocated to other resources in order for the import to succeed. IPAM will import a CIDR regardless of its compliance with the pool''s allocation rules, so a resource might be imported and subsequently marked as noncompliant. If IPAM discovers multiple CIDRs that overlap, IPAM will import the largest CIDR only. If IPAM discovers multiple CIDRs with matching CIDRs, IPAM will randomly import one of them only.

A locale must be set on the pool for this feature to work.

' + publiclyAdvertisable: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Determines if a pool is publicly advertisable. This option is not available for pools with AddressFamily set to ipv4. + addressFamily: + allOf: + - $ref: '#/components/schemas/AddressFamily' + - description: The address family of the pool. + allocationMinNetmaskLength: + allOf: + - $ref: '#/components/schemas/IpamNetmaskLength' + - description: The minimum netmask length required for CIDR allocations in this IPAM pool to be compliant. The minimum netmask length must be less than the maximum netmask length. Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128. + allocationMaxNetmaskLength: + allOf: + - $ref: '#/components/schemas/IpamNetmaskLength' + - description: The maximum netmask length possible for CIDR allocations in this IPAM pool to be compliant. The maximum netmask length must be greater than the minimum netmask length. Possible netmask lengths for IPv4 addresses are 0 - 32. Possible netmask lengths for IPv6 addresses are 0 - 128. + allocationDefaultNetmaskLength: + allOf: + - $ref: '#/components/schemas/IpamNetmaskLength' + - description: 'The default netmask length for allocations added to this pool. If, for example, the CIDR assigned to this pool is 10.0.0.0/8 and you enter 16 here, new allocations will default to 10.0.0.0/16.' + allocationResourceTagSet: + allOf: + - $ref: '#/components/schemas/IpamResourceTagList' + - description: 'Tags that are required for resources that use CIDRs from this IPAM pool. Resources that do not have these tags will not be allowed to allocate space from the pool. If the resources have their tags changed after they have allocated space or if the allocation tagging requirements are changed on the pool, the resource may be marked as noncompliant.' + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + awsService: + allOf: + - $ref: '#/components/schemas/IpamPoolAwsService' + - description: 'Limits which service in Amazon Web Services that the pool can be used in. "ec2", for example, allows users to use space for Elastic IP addresses and VPCs.' + description: 'In IPAM, a pool is a collection of contiguous IP addresses CIDRs. Pools enable you to organize your IP addresses according to your routing and security needs. For example, if you have separate routing and security needs for development and production applications, you can create a pool for each.' + CreateIpamRequest: + type: object + title: CreateIpamRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the IPAM. + OperatingRegion: + allOf: + - $ref: '#/components/schemas/AddIpamOperatingRegionSet' + - description: '

The operating Regions for the IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + Ipam: + type: object + properties: + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the IPAM. + ipamId: + allOf: + - $ref: '#/components/schemas/IpamId' + - description: The ID of the IPAM. + ipamArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the IPAM. + ipamRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services Region of the IPAM. + publicDefaultScopeId: + allOf: + - $ref: '#/components/schemas/IpamScopeId' + - description: The ID of the IPAM's default public scope. + privateDefaultScopeId: + allOf: + - $ref: '#/components/schemas/IpamScopeId' + - description: The ID of the IPAM's default private scope. + scopeCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of scopes in the IPAM. The scope quota is 5. For more information on quotas, see Quotas in IPAM in the Amazon VPC IPAM User Guide. ' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the IPAM. + operatingRegionSet: + allOf: + - $ref: '#/components/schemas/IpamOperatingRegionSet' + - description: '

The operating Regions for an IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + state: + allOf: + - $ref: '#/components/schemas/IpamState' + - description: The state of the IPAM. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + description: 'IPAM is a VPC feature that you can use to automate your IP address management workflows including assigning, tracking, troubleshooting, and auditing IP addresses across Amazon Web Services Regions and accounts throughout your Amazon Web Services Organization. For more information, see What is IPAM? in the Amazon VPC IPAM User Guide.' + CreateIpamScopeRequest: + type: object + required: + - IpamId + title: CreateIpamScopeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the scope you're creating. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + IpamScope: + type: object + properties: + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the scope. + ipamScopeId: + allOf: + - $ref: '#/components/schemas/IpamScopeId' + - description: The ID of the scope. + ipamScopeArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the scope. + ipamArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The ARN of the IPAM. + ipamRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services Region of the IPAM scope. + ipamScopeType: + allOf: + - $ref: '#/components/schemas/IpamScopeType' + - description: The type of the scope. + isDefault: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Defines if the scope is the default scope or not. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the scope. + poolCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of pools in the scope. + state: + allOf: + - $ref: '#/components/schemas/IpamScopeState' + - description: The state of the IPAM scope. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + description: '

In IPAM, a scope is the highest-level container within IPAM. An IPAM contains two default scopes. Each scope represents the IP space for a single network. The private scope is intended for all private IP address space. The public scope is intended for all public IP address space. Scopes enable you to reuse IP addresses across multiple unconnected networks without causing IP address overlap or conflict.

For more information, see How IPAM works in the Amazon VPC IPAM User Guide.

' + KeyType: + type: string + enum: + - rsa + - ed25519 + KeyFormat: + type: string + enum: + - pem + - ppk + CreateKeyPairRequest: + type: object + required: + - KeyName + title: CreateKeyPairRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A unique name for the key pair.

Constraints: Up to 255 ASCII characters

' + dryRun: + allOf: + - $ref: '#/components/schemas/KeyType' + - description: '

The type of key pair. Note that ED25519 keys are not supported for Windows instances.

Default: rsa

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/KeyFormat' + - description: '

The format of the key pair.

Default: pem

' + RequestLaunchTemplateData: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateIamInstanceProfileSpecificationRequest' + - description: The name or Amazon Resource Name (ARN) of an IAM instance profile. + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/LaunchTemplateBlockDeviceMappingRequestList' + - description: The block device mapping. + NetworkInterface: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The user data to make available to the instance. You must provide base64-encoded text. User data is limited to 16 KB. For more information, see Running Commands on Your Linux Instance at Launch (Linux) or Adding User Data (Windows).

If you are creating the launch template for use with Batch, the user data must be provided in the MIME multi-part archive format. For more information, see Amazon EC2 user data in launch templates in the Batch User Guide.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateTagSpecificationRequestList' + - description: 'The tags to apply to the resources during launch. You can only tag instances and volumes on launch. The specified tags are applied to all instances or volumes that are created during launch. To tag a resource after it has been created, see CreateTags.' + ElasticGpuSpecification: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecificationList' + - description: An elastic GPU to associate with the instance. + ElasticInferenceAccelerator: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAcceleratorList' + - description: ' The elastic inference accelerator for the instance. ' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: 'One or more security group IDs. You can create a security group using CreateSecurityGroup. You cannot specify both a security group ID and security name in the same request.' + SecurityGroup: + allOf: + - $ref: '#/components/schemas/LaunchTemplateCapacityReservationSpecificationRequest' + - description: 'The Capacity Reservation targeting option. If you do not specify this parameter, the instance''s Capacity Reservation preference defaults to open, which enables it to run in any open Capacity Reservation that has matching attributes (instance type, platform, Availability Zone).' + LicenseSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMaintenanceOptionsRequest' + - description: The maintenance options for the instance. + description:

The information to include in the launch template.

You must specify at least one parameter for the launch template data.

+ CreateLaunchTemplateRequest: + type: object + required: + - LaunchTemplateName + - LaunchTemplateData + title: CreateLaunchTemplateRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/RequestLaunchTemplateData' + - description: The information for the launch template. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the launch template during creation. + LaunchTemplate: + type: object + properties: + launchTemplateId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the launch template. + launchTemplateName: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: The name of the launch template. + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time launch template was created. + createdBy: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The principal that created the launch template. ' + defaultVersionNumber: + allOf: + - $ref: '#/components/schemas/Long' + - description: The version number of the default version of the launch template. + latestVersionNumber: + allOf: + - $ref: '#/components/schemas/Long' + - description: The version number of the latest version of the launch template. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the launch template. + description: Describes a launch template. + ValidationWarning: + type: object + properties: + errorSet: + allOf: + - $ref: '#/components/schemas/ErrorSet' + - description: The error codes and error messages. + description: The error codes and error messages that are returned for the parameters or parameter combinations that are not valid when a new launch template or new version of a launch template is created. + CreateLaunchTemplateVersionRequest: + type: object + required: + - LaunchTemplateData + title: CreateLaunchTemplateVersionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/RequestLaunchTemplateData' + - description: The information for the launch template. + LaunchTemplateVersion: + type: object + properties: + launchTemplateId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the launch template. + launchTemplateName: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: The name of the launch template. + versionNumber: + allOf: + - $ref: '#/components/schemas/Long' + - description: The version number. + versionDescription: + allOf: + - $ref: '#/components/schemas/VersionDescription' + - description: The description for the version. + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the version was created. + createdBy: + allOf: + - $ref: '#/components/schemas/String' + - description: The principal that created the version. + defaultVersion: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the version is the default version. + launchTemplateData: + allOf: + - $ref: '#/components/schemas/ResponseLaunchTemplateData' + - description: Information about the launch template. + description: Describes a launch template version. + CreateLocalGatewayRouteRequest: + type: object + required: + - DestinationCidrBlock + - LocalGatewayRouteTableId + - LocalGatewayVirtualInterfaceGroupId + title: CreateLocalGatewayRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayRoute: + type: object + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block used for destination matches. + localGatewayVirtualInterfaceGroupId: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupId' + - description: The ID of the virtual interface group. + type: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteType' + - description: The route type. + state: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteState' + - description: The state of the route. + localGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoutetableId' + - description: The ID of the local gateway route table. + localGatewayRouteTableArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the local gateway route table. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway route. + description: Describes a route for a local gateway route table. + CreateLocalGatewayRouteTableVpcAssociationRequest: + type: object + required: + - LocalGatewayRouteTableId + - VpcId + title: CreateLocalGatewayRouteTableVpcAssociationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayRouteTableVpcAssociation: + type: object + properties: + localGatewayRouteTableVpcAssociationId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociationId' + - description: The ID of the association. + localGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway route table. + localGatewayRouteTableArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the local gateway route table for the association. + localGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway route table for the association. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The state of the association. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the association. + description: Describes an association between a local gateway route table and a VPC. + CreateManagedPrefixListRequest: + type: object + required: + - PrefixListName + - MaxEntries + - AddressFamily + title: CreateManagedPrefixListRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A name for the prefix list.

Constraints: Up to 255 characters in length. The name cannot start with com.amazonaws.

' + Entry: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum number of entries for the prefix list. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.

Constraints: Up to 255 UTF-8 characters in length.

' + ManagedPrefixList: + type: object + properties: + prefixListId: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list. + addressFamily: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address version. + state: + allOf: + - $ref: '#/components/schemas/PrefixListState' + - description: The current state of the prefix list. + stateMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The state message. + prefixListArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) for the prefix list. + prefixListName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the prefix list. + maxEntries: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum number of entries for the prefix list. + version: + allOf: + - $ref: '#/components/schemas/Long' + - description: The version of the prefix list. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the prefix list. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the owner of the prefix list. + description: Describes a managed prefix list. + CreateNatGatewayRequest: + type: object + required: + - SubnetId + title: CreateNatGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The subnet in which to create the NAT gateway. + TagSpecification: + allOf: + - $ref: '#/components/schemas/ConnectivityType' + - description: Indicates whether the NAT gateway supports public or private connectivity. The default is public connectivity. + NatGateway: + type: object + properties: + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time the NAT gateway was created. + deleteTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time the NAT gateway was deleted, if applicable.' + failureCode: + allOf: + - $ref: '#/components/schemas/String' + - description: 'If the NAT gateway could not be created, specifies the error code for the failure. (InsufficientFreeAddressesInSubnet | Gateway.NotAttached | InvalidAllocationID.NotFound | Resource.AlreadyAssociated | InternalError | InvalidSubnetID.NotFound)' + failureMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: '

If the NAT gateway could not be created, specifies the error message for the failure, that corresponds to the error code.

' + natGatewayAddressSet: + allOf: + - $ref: '#/components/schemas/NatGatewayAddressList' + - description: Information about the IP addresses and network interface associated with the NAT gateway. + natGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the NAT gateway. + provisionedBandwidth: + allOf: + - $ref: '#/components/schemas/ProvisionedBandwidth' + - description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + state: + allOf: + - $ref: '#/components/schemas/NatGatewayState' + - description: '

The state of the NAT gateway.

' + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet in which the NAT gateway is located. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC in which the NAT gateway is located. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the NAT gateway. + connectivityType: + allOf: + - $ref: '#/components/schemas/ConnectivityType' + - description: Indicates whether the NAT gateway supports public or private connectivity. + description: Describes a NAT gateway. + IcmpTypeCode: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ICMP code. A value of -1 means all codes for the specified ICMP type. + type: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ICMP type. A value of -1 means all types. + description: Describes the ICMP type and code. + RuleAction: + type: string + enum: + - allow + - deny + CreateNetworkAclEntryRequest: + type: object + required: + - Egress + - NetworkAclId + - Protocol + - RuleAction + - RuleNumber + title: CreateNetworkAclEntryRequest + properties: + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 network range to allow or deny, in CIDR notation (for example 172.16.0.0/24). We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + egress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is an egress rule (rule is applied to traffic leaving the subnet). + Icmp: + allOf: + - $ref: '#/components/schemas/IcmpTypeCode' + - description: 'ICMP protocol: The ICMP or ICMPv6 type and code. Required if specifying protocol 1 (ICMP) or protocol 58 (ICMPv6) with an IPv6 CIDR block.' + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv6 network range to allow or deny, in CIDR notation (for example 2001:db8:1234:1a00::/64).' + networkAclId: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - description: The ID of the network ACL. + portRange: + allOf: + - $ref: '#/components/schemas/PortRange' + - description: 'TCP or UDP protocols: The range of ports the rule applies to. Required if specifying protocol 6 (TCP) or 17 (UDP).' + protocol: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The protocol number. A value of "-1" means all protocols. If you specify "-1" or a protocol number other than "6" (TCP), "17" (UDP), or "1" (ICMP), traffic on all ports is allowed, regardless of any ports or ICMP types or codes that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv4 CIDR block, traffic for all ICMP types and codes allowed, regardless of any that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv6 CIDR block, you must specify an ICMP type and code.' + ruleAction: + allOf: + - $ref: '#/components/schemas/RuleAction' + - description: Indicates whether to allow or deny the traffic that matches the rule. + ruleNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The rule number for the entry (for example, 100). ACL entries are processed in ascending order by rule number.

Constraints: Positive integer from 1 to 32766. The range 32767 to 65535 is reserved for internal use.

' + CreateNetworkAclRequest: + type: object + required: + - VpcId + title: CreateNetworkAclRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the network ACL. + NetworkAcl: + type: object + properties: + associationSet: + allOf: + - $ref: '#/components/schemas/NetworkAclAssociationList' + - description: Any associations between the network ACL and one or more subnets + entrySet: + allOf: + - $ref: '#/components/schemas/NetworkAclEntryList' + - description: One or more entries (rules) in the network ACL. + default: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is the default network ACL for the VPC. + networkAclId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network ACL. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the network ACL. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC for the network ACL. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the network ACL. + description: Describes a network ACL. + CreateNetworkInsightsAccessScopeRequest: + type: object + required: + - ClientToken + title: CreateNetworkInsightsAccessScopeRequest + properties: + MatchPath: + allOf: + - $ref: '#/components/schemas/AccessScopePathListRequest' + - description: The paths to match. + ExcludePath: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + NetworkInsightsAccessScope: + type: object + properties: + networkInsightsAccessScopeId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - description: The ID of the Network Access Scope. + networkInsightsAccessScopeArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the Network Access Scope. + createdDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The creation date. + updatedDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The last updated date. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags. + description: Describes a Network Access Scope. + NetworkInsightsAccessScopeContent: + type: object + properties: + networkInsightsAccessScopeId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - description: The ID of the Network Access Scope. + matchPathSet: + allOf: + - $ref: '#/components/schemas/AccessScopePathList' + - description: The paths to match. + excludePathSet: + allOf: + - $ref: '#/components/schemas/AccessScopePathList' + - description: The paths to exclude. + description: Describes the Network Access Scope content. + CreateNetworkInsightsPathRequest: + type: object + required: + - Source + - Destination + - Protocol + - ClientToken + title: CreateNetworkInsightsPathRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Port' + - description: The destination port. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + NetworkInsightsPath: + type: object + properties: + networkInsightsPathId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - description: The ID of the path. + networkInsightsPathArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the path. + createdDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time stamp when the path was created. + source: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services resource that is the source of the path. + destination: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services resource that is the destination of the path. + sourceIp: + allOf: + - $ref: '#/components/schemas/IpAddress' + - description: The IP address of the Amazon Web Services resource that is the source of the path. + destinationIp: + allOf: + - $ref: '#/components/schemas/IpAddress' + - description: The IP address of the Amazon Web Services resource that is the destination of the path. + protocol: + allOf: + - $ref: '#/components/schemas/Protocol' + - description: The protocol. + destinationPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The destination port. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags associated with the path. + description: Describes a path. + CreateNetworkInterfacePermissionRequest: + type: object + required: + - NetworkInterfaceId + - Permission + title: CreateNetworkInterfacePermissionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for CreateNetworkInterfacePermission. + NetworkInterfacePermission: + type: object + properties: + networkInterfacePermissionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface permission. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + awsAccountId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID. + awsService: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Service. + permission: + allOf: + - $ref: '#/components/schemas/InterfacePermissionType' + - description: The type of permission. + permissionState: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePermissionState' + - description: Information about the state of the permission. + description: Describes a permission for a network interface. + InstanceIpv6AddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceIpv6Address' + - xml: + name: item + PrivateIpAddressSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressSpecification' + - xml: + name: item + NetworkInterfaceCreationType: + type: string + enum: + - efa + - branch + - trunk + CreateNetworkInterfaceRequest: + type: object + required: + - SubnetId + title: CreateNetworkInterfaceRequest + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the network interface. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: The IDs of one or more security groups. + ipv6AddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of IPv6 addresses to assign to a network interface. Amazon EC2 automatically selects the IPv6 addresses from the subnet range. You can''t use this option if specifying specific IPv6 addresses. If your subnet has the AssignIpv6AddressOnCreation attribute set to true, you can specify 0 to override this setting.' + ipv6Addresses: + allOf: + - $ref: '#/components/schemas/InstanceIpv6AddressList' + - description: One or more specific IPv6 addresses from the IPv6 CIDR block range of your subnet. You can't use this option if you're specifying a number of IPv6 addresses. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The primary private IPv4 address of the network interface. If you don''t specify an IPv4 address, Amazon EC2 selects one for you from the subnet''s IPv4 CIDR range. If you specify an IP address, you cannot indicate any IP addresses specified in privateIpAddresses as primary (only one IP address can be designated as primary).' + privateIpAddresses: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressSpecificationList' + - description: One or more private IPv4 addresses. + secondaryPrivateIpAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of secondary private IPv4 addresses to assign to a network interface. When you specify a number of secondary IPv4 addresses, Amazon EC2 selects these IP addresses within the subnet''s IPv4 CIDR range. You can''t specify this option and specify more than one private IP address using privateIpAddresses.

The number of IP addresses you can assign to a network interface varies by instance type. For more information, see IP Addresses Per ENI Per Instance Type in the Amazon Virtual Private Cloud User Guide.

' + Ipv4Prefix: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv4 prefixes that Amazon Web Services automatically assigns to the network interface. You cannot use this option if you use the Ipv4 Prefixes option. + Ipv6Prefix: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceCreationType' + - description:

The type of network interface. The default is interface.

The only supported values are efa and trunk.

+ subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet to associate with the network interface. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + description: Contains the parameters for CreateNetworkInterface. + NetworkInterface: + type: object + properties: + association: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAssociation' + - description: The association information for an Elastic IP address (IPv4) associated with the network interface. + attachment: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttachment' + - description: The network interface attachment. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: Any security groups for the network interface. + interfaceType: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceType' + - description: The type of network interface. + ipv6AddressesSet: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceIpv6AddressesList' + - description: The IPv6 addresses associated with the network interface. + macAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The MAC address. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the network interface. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private DNS name. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 address of the network interface within the subnet. + privateIpAddressesSet: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePrivateIpAddressList' + - description: The private IPv4 addresses associated with the network interface. + ipv4PrefixSet: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixesList' + - description: The IPv4 prefixes that are assigned to the network interface. + ipv6PrefixSet: + allOf: + - $ref: '#/components/schemas/Ipv6PrefixesList' + - description: The IPv6 prefixes that are assigned to the network interface. + requesterId: + allOf: + - $ref: '#/components/schemas/String' + - description: The alias or Amazon Web Services account ID of the principal or service that created the network interface. + requesterManaged: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the network interface is being managed by Amazon Web Services. + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether source/destination checking is enabled. + status: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceStatus' + - description: The status of the network interface. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the network interface. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + denyAllIgwTraffic: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether a network interface with an IPv6 address is unreachable from the public internet. If the value is true, inbound traffic from the internet is dropped and you cannot assign an elastic IP address to the network interface. The network interface is reachable from peered VPCs and resources connected through a transit gateway, including on-premises networks.' + ipv6Native: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is an IPv6 only network interface. + ipv6Address: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 globally unique address associated with the network interface. + description: Describes a network interface. + CreatePlacementGroupRequest: + type: object + title: CreatePlacementGroupRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A name for the placement group. Must be unique within the scope of your account for the Region.

Constraints: Up to 255 ASCII characters

' + strategy: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of partitions. Valid only when Strategy is set to partition. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the new placement group. + PlacementGroup: + type: object + properties: + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the placement group. + state: + allOf: + - $ref: '#/components/schemas/PlacementGroupState' + - description: The state of the placement group. + strategy: + allOf: + - $ref: '#/components/schemas/PlacementStrategy' + - description: The placement strategy. + partitionCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of partitions. Valid only if strategy is set to partition. + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the placement group. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags applied to the placement group. + groupArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the placement group. + description: Describes a placement group. + CreatePublicIpv4PoolRequest: + type: object + title: CreatePublicIpv4PoolRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + CreateReplaceRootVolumeTaskRequest: + type: object + required: + - InstanceId + title: CreateReplaceRootVolumeTaskRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the root volume replacement task. + ReplaceRootVolumeTask: + type: object + properties: + replaceRootVolumeTaskId: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTaskId' + - description: The ID of the root volume replacement task. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance for which the root volume replacement task was created. + taskState: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTaskState' + - description: '

The state of the task. The task can be in one of the following states:

' + startTime: + allOf: + - $ref: '#/components/schemas/String' + - description: The time the task was started. + completeTime: + allOf: + - $ref: '#/components/schemas/String' + - description: The time the task completed. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the task. + description: Information about a root volume replacement task. + PriceScheduleSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PriceScheduleSpecification' + - xml: + name: item + CreateReservedInstancesListingRequest: + type: object + required: + - ClientToken + - InstanceCount + - PriceSchedules + - ReservedInstancesId + title: CreateReservedInstancesListingRequest + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier you provide to ensure idempotency of your listings. This helps avoid duplicate listings. For more information, see Ensuring Idempotency.' + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of instances that are a part of a Reserved Instance account to be listed in the Reserved Instance Marketplace. This number should be less than or equal to the instance count associated with the Reserved Instance ID specified in this call. + priceSchedules: + allOf: + - $ref: '#/components/schemas/PriceScheduleSpecificationList' + - description: A list specifying the price of the Standard Reserved Instance for each month remaining in the Reserved Instance term. + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/ReservationId' + - description: The ID of the active Standard Reserved Instance. + description: Contains the parameters for CreateReservedInstancesListing. + CreateRestoreImageTaskRequest: + type: object + required: + - Bucket + - ObjectKey + title: CreateRestoreImageTaskRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name for the restored AMI. The name must be unique for AMIs in the Region for this account. If you do not provide a name, the new AMI gets the same name as the original AMI.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateRouteRequest: + type: object + required: + - RouteTableId + title: CreateRouteRequest + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 CIDR address block used for the destination match. Routing decisions are based on the most specific match. We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.' + destinationIpv6CidrBlock: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of a prefix list used for the destination match. + dryRun: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - description: The ID of a VPC endpoint. Supported for Gateway Load Balancer endpoints only. + egressOnlyInternetGatewayId: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayId' + - description: '[IPv6 traffic only] The ID of an egress-only internet gateway.' + gatewayId: + allOf: + - $ref: '#/components/schemas/RouteGatewayId' + - description: The ID of an internet gateway or virtual private gateway attached to your VPC. + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of a NAT instance in your VPC. The operation fails if you specify an instance ID unless exactly one network interface is attached. + natGatewayId: + allOf: + - $ref: '#/components/schemas/CarrierGatewayId' + - description:

The ID of the carrier gateway.

You can only use this option when the VPC contains a subnet which is associated with a Wavelength Zone.

+ networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of a network interface. + routeTableId: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - description: The ID of the route table for the route. + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/CoreNetworkArn' + - description: The Amazon Resource Name (ARN) of the core network. + CreateRouteTableRequest: + type: object + required: + - VpcId + title: CreateRouteTableRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the route table. + RouteTable: + type: object + properties: + associationSet: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationList' + - description: The associations between the route table and one or more subnets or a gateway. + propagatingVgwSet: + allOf: + - $ref: '#/components/schemas/PropagatingVgwList' + - description: Any virtual private gateway (VGW) propagating routes. + routeTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the route table. + routeSet: + allOf: + - $ref: '#/components/schemas/RouteList' + - description: The routes in the route table. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the route table. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the route table. + description: Describes a route table. + CreateSecurityGroupRequest: + type: object + required: + - Description + - GroupName + title: CreateSecurityGroupRequest + properties: + GroupDescription: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: '[EC2-VPC] The ID of the VPC. Required for EC2-VPC.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the security group. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateSnapshotRequest: + type: object + required: + - VolumeId + title: CreateSnapshotRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the Amazon EBS volume. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the snapshot during creation. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateSnapshotsRequest: + type: object + required: + - InstanceSpecification + title: CreateSnapshotsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Amazon Resource Name (ARN) of the Outpost on which to create the local snapshots.

For more information, see Create multi-volume local snapshots from instances on an Outpost in the Amazon Elastic Compute Cloud User Guide.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/CopyTagsFromSource' + - description: Copies the tags from the specified volume to corresponding snapshot. + SnapshotSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotInfo' + - xml: + name: item + CreateSpotDatafeedSubscriptionRequest: + type: object + required: + - Bucket + title: CreateSpotDatafeedSubscriptionRequest + properties: + bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the Amazon S3 bucket in which to store the Spot Instance data feed. For more information about bucket names, see Rules for bucket naming in the Amazon S3 Developer Guide.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix for the data feed file names. + description: Contains the parameters for CreateSpotDatafeedSubscription. + SpotDatafeedSubscription: + type: object + properties: + bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Amazon S3 bucket where the Spot Instance data feed is located. + fault: + allOf: + - $ref: '#/components/schemas/SpotInstanceStateFault' + - description: 'The fault codes for the Spot Instance request, if any.' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the account. + prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix for the data feed files. + state: + allOf: + - $ref: '#/components/schemas/DatafeedSubscriptionState' + - description: The state of the Spot Instance data feed subscription. + description: Describes the data feed for a Spot Instance. + CreateStoreImageTaskRequest: + type: object + required: + - ImageId + - Bucket + title: CreateStoreImageTaskRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the Amazon S3 bucket in which the AMI object will be stored. The bucket must be in the Region in which the request is being made. The AMI object appears in the bucket only after the upload task has completed. ' + S3ObjectTag: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateSubnetCidrReservationRequest: + type: object + required: + - SubnetId + - Cidr + - ReservationType + title: CreateSubnetCidrReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the subnet CIDR reservation. + SubnetCidrReservation: + type: object + properties: + subnetCidrReservationId: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservationId' + - description: The ID of the subnet CIDR reservation. + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet. + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR that has been reserved. + reservationType: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservationType' + - description: 'The type of reservation. ' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the account that owns the subnet CIDR reservation. ' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description assigned to the subnet CIDR reservation. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the subnet CIDR reservation. + description: Describes a subnet CIDR reservation. + CreateSubnetRequest: + type: object + required: + - VpcId + title: CreateSubnetRequest + properties: + TagSpecification: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to create an IPv6 only subnet. + ResourceIdList: + type: array + items: + $ref: '#/components/schemas/TaggableResourceId' + CreateTagsRequest: + type: object + required: + - Resources + - Tags + title: CreateTagsRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ResourceId: + allOf: + - $ref: '#/components/schemas/ResourceIdList' + - description: '

The IDs of the resources, separated by spaces.

Constraints: Up to 1000 resource IDs. We recommend breaking up this request into smaller batches.

' + Tag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: 'The tags. The value parameter is required, but if you don''t want the tag to have a value, specify the parameter with no value, and we set the value to an empty string.' + CreateTrafficMirrorFilterRequest: + type: object + title: CreateTrafficMirrorFilterRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the Traffic Mirror filter. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + TrafficMirrorFilter: + type: object + properties: + trafficMirrorFilterId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror filter. + ingressFilterRuleSet: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterRuleList' + - description: Information about the ingress rules that are associated with the Traffic Mirror filter. + egressFilterRuleSet: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterRuleList' + - description: Information about the egress rules that are associated with the Traffic Mirror filter. + networkServiceSet: + allOf: + - $ref: '#/components/schemas/TrafficMirrorNetworkServiceList' + - description: The network service traffic that is associated with the Traffic Mirror filter. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the Traffic Mirror filter. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the Traffic Mirror filter. + description: Describes the Traffic Mirror filter. + CreateTrafficMirrorFilterRuleRequest: + type: object + required: + - TrafficMirrorFilterId + - TrafficDirection + - RuleNumber + - RuleAction + - DestinationCidrBlock + - SourceCidrBlock + title: CreateTrafficMirrorFilterRuleRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + TrafficMirrorFilterRule: + type: object + properties: + trafficMirrorFilterRuleId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror rule. + trafficMirrorFilterId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror filter that the rule is associated with. + trafficDirection: + allOf: + - $ref: '#/components/schemas/TrafficDirection' + - description: The traffic direction assigned to the Traffic Mirror rule. + ruleNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The rule number of the Traffic Mirror rule. + ruleAction: + allOf: + - $ref: '#/components/schemas/TrafficMirrorRuleAction' + - description: The action assigned to the Traffic Mirror rule. + protocol: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The protocol assigned to the Traffic Mirror rule. + destinationPortRange: + allOf: + - $ref: '#/components/schemas/TrafficMirrorPortRange' + - description: The destination port range assigned to the Traffic Mirror rule. + sourcePortRange: + allOf: + - $ref: '#/components/schemas/TrafficMirrorPortRange' + - description: The source port range assigned to the Traffic Mirror rule. + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The destination CIDR block assigned to the Traffic Mirror rule. + sourceCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The source CIDR block assigned to the Traffic Mirror rule. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the Traffic Mirror rule. + description: Describes the Traffic Mirror rule. + CreateTrafficMirrorSessionRequest: + type: object + required: + - NetworkInterfaceId + - TrafficMirrorTargetId + - TrafficMirrorFilterId + - SessionNumber + title: CreateTrafficMirrorSessionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the Traffic Mirror session. + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + TrafficMirrorSession: + type: object + properties: + trafficMirrorSessionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID for the Traffic Mirror session. + trafficMirrorTargetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror target. + trafficMirrorFilterId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror filter. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror session's network interface. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the account that owns the Traffic Mirror session. + packetLength: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of bytes in each packet to mirror. These are the bytes after the VXLAN header. To mirror a subset, set this to the length (in bytes) to mirror. For example, if you set this value to 100, then the first 100 bytes that meet the filter criteria are copied to the target. Do not specify this parameter when you want to mirror the entire packet' + sessionNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description:

The session number determines the order in which sessions are evaluated when an interface is used by multiple sessions. The first session with a matching filter is the one that mirrors the packets.

Valid values are 1-32766.

+ virtualNetworkId: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The virtual network ID associated with the Traffic Mirror session. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the Traffic Mirror session. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the Traffic Mirror session. + description: Describes a Traffic Mirror session. + CreateTrafficMirrorTargetRequest: + type: object + title: CreateTrafficMirrorTargetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the Traffic Mirror target. + TagSpecification: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - description: The ID of the Gateway Load Balancer endpoint. + TrafficMirrorTarget: + type: object + properties: + trafficMirrorTargetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Traffic Mirror target. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The network interface ID that is attached to the target. + networkLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Network Load Balancer. + type: + allOf: + - $ref: '#/components/schemas/TrafficMirrorTargetType' + - description: The type of Traffic Mirror target. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: Information about the Traffic Mirror target. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the account that owns the Traffic Mirror target. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the Traffic Mirror target. + gatewayLoadBalancerEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Gateway Load Balancer endpoint. + description: Describes a Traffic Mirror target. + InsideCidrBlocksStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + CreateTransitGatewayConnectPeerRequest: + type: object + required: + - TransitGatewayAttachmentId + - PeerAddress + - InsideCidrBlocks + title: CreateTransitGatewayConnectPeerRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InsideCidrBlocksStringList' + - description: 'The range of inside IP addresses that are used for BGP peering. You must specify a size /29 IPv4 CIDR block from the 169.254.0.0/16 range. The first address from the range must be configured on the appliance as the BGP IP address. You can also optionally specify a size /125 IPv6 CIDR block from the fd00::/8 range.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayConnectPeer: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the Connect attachment. + transitGatewayConnectPeerId: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerId' + - description: The ID of the Connect peer. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerState' + - description: The state of the Connect peer. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation time. + connectPeerConfiguration: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerConfiguration' + - description: The Connect peer details. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the Connect peer. + description: Describes a transit gateway Connect peer. + CreateTransitGatewayConnectRequestOptions: + type: object + required: + - Protocol + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ProtocolValue' + - description: The tunnel protocol. + description: The options for a Connect attachment. + CreateTransitGatewayConnectRequest: + type: object + required: + - TransportTransitGatewayAttachmentId + - Options + title: CreateTransitGatewayConnectRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CreateTransitGatewayConnectRequestOptions' + - description: The Connect attachment options. + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayConnect: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the Connect attachment. + transportTransitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the attachment from which the Connect attachment was created. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/TransitGatewayId' + - description: The ID of the transit gateway. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentState' + - description: The state of the attachment. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation time. + options: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectOptions' + - description: The Connect attachment options. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the attachment. + description: Describes a transit gateway Connect attachment. + CreateTransitGatewayMulticastDomainRequestOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/AutoAcceptSharedAssociationsValue' + - description: Indicates whether to automatically accept cross-account subnet associations that are associated with the transit gateway multicast domain. + description: The options for the transit gateway multicast domain. + CreateTransitGatewayMulticastDomainRequest: + type: object + required: + - TransitGatewayId + title: CreateTransitGatewayMulticastDomainRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CreateTransitGatewayMulticastDomainRequestOptions' + - description: The options for the transit gateway multicast domain. + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastDomain: + type: object + properties: + transitGatewayMulticastDomainId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway multicast domain. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway. + transitGatewayMulticastDomainArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the transit gateway multicast domain. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The ID of the Amazon Web Services account that owns the transit gateway multicast domain.' + options: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainOptions' + - description: The options for the transit gateway multicast domain. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainState' + - description: The state of the transit gateway multicast domain. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the transit gateway multicast domain was created. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the transit gateway multicast domain. + description: Describes the transit gateway multicast domain. + CreateTransitGatewayPeeringAttachmentRequest: + type: object + required: + - TransitGatewayId + - PeerTransitGatewayId + - PeerAccountId + - PeerRegion + title: CreateTransitGatewayPeeringAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Region where the peer transit gateway is located. + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateTransitGatewayPrefixListReferenceRequest: + type: object + required: + - TransitGatewayRouteTableId + - PrefixListId + title: CreateTransitGatewayPrefixListReferenceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayPrefixListReference: + type: object + properties: + transitGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the transit gateway route table. + prefixListId: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list. + prefixListOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the prefix list owner. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListReferenceState' + - description: The state of the prefix list reference. + blackhole: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether traffic that matches this route is dropped. + transitGatewayAttachment: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListAttachment' + - description: Information about the transit gateway attachment. + description: Describes a prefix list reference. + TransitGatewayRequestOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayCidrBlockStringList' + - description: 'One or more IPv4 or IPv6 CIDR blocks for the transit gateway. Must be a size /24 CIDR block or larger for IPv4, or a size /64 CIDR block or larger for IPv6.' + description: Describes the options for a transit gateway. + CreateTransitGatewayRequest: + type: object + title: CreateTransitGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRequestOptions' + - description: The transit gateway options. + TagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGateway: + type: object + properties: + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway. + transitGatewayArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the transit gateway. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayState' + - description: The state of the transit gateway. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the transit gateway. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the transit gateway. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation time. + options: + allOf: + - $ref: '#/components/schemas/TransitGatewayOptions' + - description: The transit gateway options. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the transit gateway. + description: Describes a transit gateway. + CreateTransitGatewayRouteRequest: + type: object + required: + - DestinationCidrBlock + - TransitGatewayRouteTableId + title: CreateTransitGatewayRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayRoute: + type: object + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block used for destination matches. + prefixListId: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list used for destination matches. + transitGatewayAttachments: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteAttachmentList' + - description: The attachments. + type: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteType' + - description: The route type. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteState' + - description: The state of the route. + description: Describes a route for a transit gateway route table. + CreateTransitGatewayRouteTableRequest: + type: object + required: + - TransitGatewayId + title: CreateTransitGatewayRouteTableRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayRouteTable: + type: object + properties: + transitGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway route table. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableState' + - description: The state of the transit gateway route table. + defaultAssociationRouteTable: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is the default association route table for the transit gateway. + defaultPropagationRouteTable: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is the default propagation route table for the transit gateway. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation time. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the route table. + description: Describes a transit gateway route table. + CreateTransitGatewayVpcAttachmentRequest: + type: object + required: + - TransitGatewayId + - VpcId + - SubnetIds + title: CreateTransitGatewayVpcAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + CreateTransitGatewayVpcAttachmentRequestOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ApplianceModeSupportValue' + - description: 'Enable or disable support for appliance mode. If enabled, a traffic flow between a source and destination uses the same Availability Zone for the VPC attachment for the lifetime of that flow. The default is disable.' + description: Describes the options for a VPC attachment. + PermissionGroup: + type: string + enum: + - all + CreateVolumePermission: + type: object + properties: + group: + allOf: + - $ref: '#/components/schemas/PermissionGroup' + - description: The group to be added or removed. The possible value is all. + userId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account to be added or removed. + description: Describes the user or group to be added or removed from the list of create volume permissions for a volume. + CreateVolumePermissionModifications: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CreateVolumePermissionList' + - description: Removes the specified Amazon Web Services account ID or group from the list. + description: Describes modifications to the list of create volume permissions for a volume. + VolumeType: + type: string + enum: + - standard + - io1 + - io2 + - gp2 + - sc1 + - st1 + - gp3 + CreateVolumeRequest: + type: object + required: + - AvailabilityZone + title: CreateVolumeRequest + properties: + AvailabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which to create the volume. + encrypted: + allOf: + - $ref: '#/components/schemas/VolumeType' + - description: '

The volume type. This parameter can be one of the following values:

For more information, see Amazon EBS volume types in the Amazon Elastic Compute Cloud User Guide.

Default: gp2

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensure Idempotency.' + CreateVpcEndpointConnectionNotificationRequest: + type: object + required: + - ConnectionNotificationArn + - ConnectionEvents + title: CreateVpcEndpointConnectionNotificationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + VpcEndpointRouteTableIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - xml: + name: item + VpcEndpointSubnetIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + CreateVpcEndpointRequest: + type: object + required: + - VpcId + - ServiceName + title: CreateVpcEndpointRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '(Interface and gateway endpoints) A policy to attach to the endpoint that controls access to the service. The policy must be in valid JSON format. If this parameter is not specified, we attach a default policy that allows full access to the service.' + RouteTableId: + allOf: + - $ref: '#/components/schemas/VpcEndpointRouteTableIdList' + - description: (Gateway endpoint) One or more route table IDs. + SubnetId: + allOf: + - $ref: '#/components/schemas/VpcEndpointSubnetIdList' + - description: '(Interface and Gateway Load Balancer endpoints) The ID of one or more subnets in which to create an endpoint network interface. For a Gateway Load Balancer endpoint, you can specify one subnet only.' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

(Interface endpoint) Indicates whether to associate a private hosted zone with the specified VPC. The private hosted zone contains a record set for the default public DNS name for the service for the Region (for example, kinesis.us-east-1.amazonaws.com), which resolves to the private IP addresses of the endpoint network interfaces in the VPC. This enables you to make requests to the default public DNS name for the service instead of the public DNS names that are automatically generated by the VPC endpoint service.

To use a private hosted zone, you must set the following VPC attributes to true: enableDnsHostnames and enableDnsSupport. Use ModifyVpcAttribute to set the VPC attributes.

Default: true

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to associate with the endpoint. + description: Contains the parameters for CreateVpcEndpoint. + VpcEndpoint: + type: object + properties: + vpcEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the endpoint. + vpcEndpointType: + allOf: + - $ref: '#/components/schemas/VpcEndpointType' + - description: The type of endpoint. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC to which the endpoint is associated. + serviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the service to which the endpoint is associated. + state: + allOf: + - $ref: '#/components/schemas/State' + - description: The state of the endpoint. + policyDocument: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The policy document associated with the endpoint, if applicable.' + routeTableIdSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: (Gateway endpoint) One or more route tables associated with the endpoint. + subnetIdSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: (Interface endpoint) The subnets for the endpoint. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierSet' + - description: (Interface endpoint) Information about the security groups that are associated with the network interface. + ipAddressType: + allOf: + - $ref: '#/components/schemas/IpAddressType' + - description: The IP address type for the endpoint. + dnsOptions: + allOf: + - $ref: '#/components/schemas/DnsOptions' + - description: The DNS options for the endpoint. + privateDnsEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: (Interface endpoint) Indicates whether the VPC is associated with a private hosted zone. + requesterManaged: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the endpoint is being managed by its service. + networkInterfaceIdSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: (Interface endpoint) One or more network interfaces for the endpoint. + dnsEntrySet: + allOf: + - $ref: '#/components/schemas/DnsEntrySet' + - description: (Interface endpoint) The DNS entries for the endpoint. + creationTimestamp: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time that the endpoint was created. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the endpoint. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the endpoint. + lastError: + allOf: + - $ref: '#/components/schemas/LastError' + - description: The last error that occurred for endpoint. + description: Describes a VPC endpoint. + CreateVpcEndpointServiceConfigurationRequest: + type: object + title: CreateVpcEndpointServiceConfigurationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: (Interface endpoint configuration) The private DNS name to assign to the VPC endpoint service. + NetworkLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of one or more Network Load Balancers for your service. + GatewayLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of one or more Gateway Load Balancers. + SupportedIpAddressType: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to associate with the service. + ServiceConfiguration: + type: object + properties: + serviceType: + allOf: + - $ref: '#/components/schemas/ServiceTypeDetailSet' + - description: The type of service. + serviceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the service. + serviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the service. + serviceState: + allOf: + - $ref: '#/components/schemas/ServiceState' + - description: The service state. + availabilityZoneSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Availability Zones in which the service is available. + acceptanceRequired: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether requests from other Amazon Web Services accounts to create an endpoint to the service must first be accepted. + managesVpcEndpoints: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the service manages its VPC endpoints. Management of the service VPC endpoints using the VPC endpoint API is restricted. + networkLoadBalancerArnSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of the Network Load Balancers for the service. + gatewayLoadBalancerArnSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of the Gateway Load Balancers for the service. + supportedIpAddressTypeSet: + allOf: + - $ref: '#/components/schemas/SupportedIpAddressTypes' + - description: The supported IP address types. + baseEndpointDnsNameSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The DNS names for the service. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private DNS name for the service. + privateDnsNameConfiguration: + allOf: + - $ref: '#/components/schemas/PrivateDnsNameConfiguration' + - description: Information about the endpoint service private DNS name configuration. + payerResponsibility: + allOf: + - $ref: '#/components/schemas/PayerResponsibility' + - description: The payer responsibility. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the service. + description: Describes a service configuration for a VPC endpoint service. + CreateVpcPeeringConnectionRequest: + type: object + title: CreateVpcPeeringConnectionRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + peerOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Amazon Web Services account ID of the owner of the accepter VPC.

Default: Your Amazon Web Services account ID

' + peerVpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC with which you are creating the VPC peering connection. You must specify this parameter in the request. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Region code for the accepter VPC, if the accepter VPC is located in a Region other than the Region in which you make the request.

Default: The Region in which you make the request.

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the peering connection. + CreateVpcRequest: + type: object + title: CreateVpcRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 network range for the VPC, in CIDR notation. For example, 10.0.0.0/16. We modify the specified CIDR block to its canonical form; for example, if you specify 100.68.0.18/18, we modify it to 100.68.0.0/18.' + amazonProvidedIpv6CidrBlock: + allOf: + - $ref: '#/components/schemas/NetmaskLength' + - description: 'The netmask length of the IPv6 CIDR you want to allocate to this VPC from an Amazon VPC IP Address Manager (IPAM) pool. For more information about IPAM, see What is IPAM? in the Amazon VPC IPAM User Guide.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceTenancy: + allOf: + - $ref: '#/components/schemas/String' + - description:

The name of the location from which we advertise the IPV6 CIDR block. Use this parameter to limit the address to this location.

You must set AmazonProvidedIpv6CidrBlock to true to use this parameter.

+ TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to assign to the VPC. + VpnConnectionOptionsSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicate whether to enable acceleration for the VPN connection.

Default: false

' + staticRoutesOnly: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The IPv6 CIDR on the Amazon Web Services side of the VPN connection.

Default: ::/0

' + description: Describes VPN connection options. + CreateVpnConnectionRequest: + type: object + required: + - CustomerGatewayId + - Type + title: CreateVpnConnectionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayId' + - description: 'The ID of the transit gateway. If you specify a transit gateway, you cannot specify a virtual private gateway.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + options: + allOf: + - $ref: '#/components/schemas/VpnConnectionOptionsSpecification' + - description: The options for the VPN connection. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the VPN connection. + description: Contains the parameters for CreateVpnConnection. + VpnConnection: + type: object + properties: + customerGatewayConfiguration: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The configuration information for the VPN connection''s customer gateway (in the native XML format). This element is always present in the CreateVpnConnection response; however, it''s present in the DescribeVpnConnections response only if the VPN connection is in the pending or available state.' + customerGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the customer gateway at your end of the VPN connection. + category: + allOf: + - $ref: '#/components/schemas/String' + - description: The category of the VPN connection. A value of VPN indicates an Amazon Web Services VPN connection. A value of VPN-Classic indicates an Amazon Web Services Classic VPN connection. + state: + allOf: + - $ref: '#/components/schemas/VpnState' + - description: The current state of the VPN connection. + type: + allOf: + - $ref: '#/components/schemas/GatewayType' + - description: The type of VPN connection. + vpnConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPN connection. + vpnGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the virtual private gateway at the Amazon Web Services side of the VPN connection. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway associated with the VPN connection. + coreNetworkArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the core network. + coreNetworkAttachmentArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the core network attachment. + gatewayAssociationState: + allOf: + - $ref: '#/components/schemas/GatewayAssociationState' + - description: The current state of the gateway association. + options: + allOf: + - $ref: '#/components/schemas/VpnConnectionOptions' + - description: The VPN connection options. + routes: + allOf: + - $ref: '#/components/schemas/VpnStaticRouteList' + - description: The static routes associated with the VPN connection. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the VPN connection. + vgwTelemetry: + allOf: + - $ref: '#/components/schemas/VgwTelemetryList' + - description: Information about the VPN tunnel. + description: Describes a VPN connection. + CreateVpnConnectionRouteRequest: + type: object + required: + - DestinationCidrBlock + - VpnConnectionId + title: CreateVpnConnectionRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpnConnectionId' + - description: The ID of the VPN connection. + description: Contains the parameters for CreateVpnConnectionRoute. + CreateVpnGatewayRequest: + type: object + required: + - Type + title: CreateVpnGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/GatewayType' + - description: The type of VPN connection this virtual private gateway supports. + TagSpecification: + allOf: + - $ref: '#/components/schemas/Long' + - description: '

A private Autonomous System Number (ASN) for the Amazon side of a BGP session. If you''re using a 16-bit ASN, it must be in the 64512 to 65534 range. If you''re using a 32-bit ASN, it must be in the 4200000000 to 4294967294 range.

Default: 64512

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for CreateVpnGateway. + VpnGateway: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Availability Zone where the virtual private gateway was created, if applicable. This field may be empty or not returned.' + state: + allOf: + - $ref: '#/components/schemas/VpnState' + - description: The current state of the virtual private gateway. + type: + allOf: + - $ref: '#/components/schemas/GatewayType' + - description: The type of VPN connection the virtual private gateway supports. + attachments: + allOf: + - $ref: '#/components/schemas/VpcAttachmentList' + - description: Any VPCs attached to the virtual private gateway. + vpnGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the virtual private gateway. + amazonSideAsn: + allOf: + - $ref: '#/components/schemas/Long' + - description: The private Autonomous System Number (ASN) for the Amazon side of a BGP session. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the virtual private gateway. + description: Describes a virtual private gateway. + CreditSpecification: + type: object + properties: + cpuCredits: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The credit option for CPU usage of a T2, T3, or T3a instance. Valid values are standard and unlimited.' + description: 'Describes the credit option for CPU usage of a T2, T3, or T3a instance.' + CreditSpecificationRequest: + type: object + required: + - CpuCredits + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The credit option for CPU usage of a T2, T3, or T3a instance. Valid values are standard and unlimited.' + description: 'The credit option for CPU usage of a T2, T3, or T3a instance.' + CurrentGenerationFlag: + type: boolean + CustomerGatewayIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/CustomerGatewayId' + - xml: + name: CustomerGatewayId + CustomerGatewayList: + type: array + items: + allOf: + - $ref: '#/components/schemas/CustomerGateway' + - xml: + name: item + DITMaxResults: + type: integer + minimum: 5 + maximum: 100 + DITOMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DatafeedSubscriptionState: + type: string + enum: + - Active + - Inactive + DedicatedHostFlag: + type: boolean + DefaultNetworkCardIndex: + type: integer + DefaultRouteTableAssociationValue: + type: string + enum: + - enable + - disable + DefaultRouteTablePropagationValue: + type: string + enum: + - enable + - disable + DefaultTargetCapacityType: + type: string + enum: + - spot + - on-demand + DefaultingDhcpOptionsId: + type: string + DeleteCarrierGatewayRequest: + type: object + required: + - CarrierGatewayId + title: DeleteCarrierGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteClientVpnEndpointRequest: + type: object + required: + - ClientVpnEndpointId + title: DeleteClientVpnEndpointRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteClientVpnRouteRequest: + type: object + required: + - ClientVpnEndpointId + - DestinationCidrBlock + title: DeleteClientVpnRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteCustomerGatewayRequest: + type: object + required: + - CustomerGatewayId + title: DeleteCustomerGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CustomerGatewayId' + - description: The ID of the customer gateway. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DeleteCustomerGateway. + DeleteDhcpOptionsRequest: + type: object + required: + - DhcpOptionsId + title: DeleteDhcpOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DhcpOptionsId' + - description: The ID of the DHCP options set. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteEgressOnlyInternetGatewayRequest: + type: object + required: + - EgressOnlyInternetGatewayId + title: DeleteEgressOnlyInternetGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayId' + - description: The ID of the egress-only internet gateway. + DeleteFleetErrorCode: + type: string + enum: + - fleetIdDoesNotExist + - fleetIdMalformed + - fleetNotInDeletableState + - unexpectedError + DeleteFleetError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/DeleteFleetErrorCode' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the error code. + description: Describes an EC2 Fleet error. + DeleteFleetErrorItem: + type: object + properties: + error: + allOf: + - $ref: '#/components/schemas/DeleteFleetError' + - description: The error. + fleetId: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC2 Fleet. + description: Describes an EC2 Fleet that was not successfully deleted. + DeleteFleetErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DeleteFleetErrorItem' + - xml: + name: item + FleetStateCode: + type: string + enum: + - submitted + - active + - deleted + - failed + - deleted_running + - deleted_terminating + - modifying + DeleteFleetSuccessItem: + type: object + properties: + currentFleetState: + allOf: + - $ref: '#/components/schemas/FleetStateCode' + - description: The current state of the EC2 Fleet. + previousFleetState: + allOf: + - $ref: '#/components/schemas/FleetStateCode' + - description: The previous state of the EC2 Fleet. + fleetId: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC2 Fleet. + description: Describes an EC2 Fleet that was successfully deleted. + DeleteFleetSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DeleteFleetSuccessItem' + - xml: + name: item + DeleteFleetsRequest: + type: object + required: + - FleetIds + - TerminateInstances + title: DeleteFleetsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + FleetId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether to terminate the instances when the EC2 Fleet is deleted. The default is to terminate the instances.

To let the instances continue to run after the EC2 Fleet is deleted, specify NoTerminateInstances. Supported only for fleets of type maintain and request.

For instant fleets, you cannot specify NoTerminateInstances. A deleted instant fleet with running instances is not supported.

' + FlowLogIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcFlowLogId' + - xml: + name: item + DeleteFlowLogsRequest: + type: object + required: + - FlowLogIds + title: DeleteFlowLogsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + FlowLogId: + allOf: + - $ref: '#/components/schemas/FlowLogIdList' + - description: '

One or more flow log IDs.

Constraint: Maximum of 1000 flow log IDs.

' + DeleteFpgaImageRequest: + type: object + required: + - FpgaImageId + title: DeleteFpgaImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FpgaImageId' + - description: The ID of the AFI. + DeleteInstanceEventWindowRequest: + type: object + required: + - InstanceEventWindowId + title: DeleteInstanceEventWindowRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowId' + - description: The ID of the event window. + InstanceEventWindowStateChange: + type: object + properties: + instanceEventWindowId: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowId' + - description: The ID of the event window. + state: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowState' + - description: The current state of the event window. + description: The state of the event window. + DeleteInternetGatewayRequest: + type: object + required: + - InternetGatewayId + title: DeleteInternetGatewayRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + internetGatewayId: + allOf: + - $ref: '#/components/schemas/InternetGatewayId' + - description: The ID of the internet gateway. + IpamPoolId: + type: string + DeleteIpamPoolRequest: + type: object + required: + - IpamPoolId + title: DeleteIpamPoolRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamPoolId' + - description: The ID of the pool to delete. + DeleteIpamRequest: + type: object + required: + - IpamId + title: DeleteIpamRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Enables you to quickly delete an IPAM, private scopes, pools in private scopes, and any allocations in the pools in private scopes. You cannot delete the IPAM with this option if there is a pool in your public scope. If you use this option, IPAM does the following:

' + IpamScopeId: + type: string + DeleteIpamScopeRequest: + type: object + required: + - IpamScopeId + title: DeleteIpamScopeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamScopeId' + - description: The ID of the scope to delete. + DeleteKeyPairRequest: + type: object + title: DeleteKeyPairRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/KeyPairId' + - description: The ID of the key pair. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteLaunchTemplateRequest: + type: object + title: DeleteLaunchTemplateRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + VersionStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + DeleteLaunchTemplateVersionsRequest: + type: object + required: + - Versions + title: DeleteLaunchTemplateVersionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + LaunchTemplateVersion: + allOf: + - $ref: '#/components/schemas/VersionStringList' + - description: The version numbers of one or more launch template versions to delete. + ResponseError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/LaunchTemplateErrorCode' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error message, if applicable.' + description: Describes the error that's returned when you cannot delete a launch template version. + DeleteLaunchTemplateVersionsResponseErrorItem: + type: object + properties: + launchTemplateId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the launch template. + launchTemplateName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the launch template. + versionNumber: + allOf: + - $ref: '#/components/schemas/Long' + - description: The version number of the launch template. + responseError: + allOf: + - $ref: '#/components/schemas/ResponseError' + - description: Information about the error. + description: Describes a launch template version that could not be deleted. + DeleteLaunchTemplateVersionsResponseErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DeleteLaunchTemplateVersionsResponseErrorItem' + - xml: + name: item + DeleteLaunchTemplateVersionsResponseSuccessItem: + type: object + properties: + launchTemplateId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the launch template. + launchTemplateName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the launch template. + versionNumber: + allOf: + - $ref: '#/components/schemas/Long' + - description: The version number of the launch template. + description: Describes a launch template version that was successfully deleted. + DeleteLaunchTemplateVersionsResponseSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DeleteLaunchTemplateVersionsResponseSuccessItem' + - xml: + name: item + DeleteLocalGatewayRouteRequest: + type: object + required: + - DestinationCidrBlock + - LocalGatewayRouteTableId + title: DeleteLocalGatewayRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteLocalGatewayRouteTableVpcAssociationRequest: + type: object + required: + - LocalGatewayRouteTableVpcAssociationId + title: DeleteLocalGatewayRouteTableVpcAssociationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteManagedPrefixListRequest: + type: object + required: + - PrefixListId + title: DeleteManagedPrefixListRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list. + DeleteNatGatewayRequest: + type: object + required: + - NatGatewayId + title: DeleteNatGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NatGatewayId' + - description: The ID of the NAT gateway. + DeleteNetworkAclEntryRequest: + type: object + required: + - Egress + - NetworkAclId + - RuleNumber + title: DeleteNetworkAclEntryRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + egress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the rule is an egress rule. + networkAclId: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - description: The ID of the network ACL. + ruleNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The rule number of the entry to delete. + DeleteNetworkAclRequest: + type: object + required: + - NetworkAclId + title: DeleteNetworkAclRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + networkAclId: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - description: The ID of the network ACL. + DeleteNetworkInsightsAccessScopeAnalysisRequest: + type: object + required: + - NetworkInsightsAccessScopeAnalysisId + title: DeleteNetworkInsightsAccessScopeAnalysisRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteNetworkInsightsAccessScopeRequest: + type: object + required: + - NetworkInsightsAccessScopeId + title: DeleteNetworkInsightsAccessScopeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - description: The ID of the Network Access Scope. + DeleteNetworkInsightsAnalysisRequest: + type: object + required: + - NetworkInsightsAnalysisId + title: DeleteNetworkInsightsAnalysisRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysisId' + - description: The ID of the network insights analysis. + DeleteNetworkInsightsPathRequest: + type: object + required: + - NetworkInsightsPathId + title: DeleteNetworkInsightsPathRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - description: The ID of the path. + DeleteNetworkInterfacePermissionRequest: + type: object + required: + - NetworkInterfacePermissionId + title: DeleteNetworkInterfacePermissionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DeleteNetworkInterfacePermission. + DeleteNetworkInterfaceRequest: + type: object + required: + - NetworkInterfaceId + title: DeleteNetworkInterfaceRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + description: Contains the parameters for DeleteNetworkInterface. + DeletePlacementGroupRequest: + type: object + required: + - GroupName + title: DeletePlacementGroupRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + groupName: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: The name of the placement group. + DeletePublicIpv4PoolRequest: + type: object + required: + - PoolId + title: DeletePublicIpv4PoolRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Ipv4PoolEc2Id' + - description: The ID of the public IPv4 pool you want to delete. + DeleteQueuedReservedInstancesErrorCode: + type: string + enum: + - reserved-instances-id-invalid + - reserved-instances-not-in-queued-state + - unexpected-error + DeleteQueuedReservedInstancesError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/DeleteQueuedReservedInstancesErrorCode' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The error message. + description: Describes the error for a Reserved Instance whose queued purchase could not be deleted. + DeleteQueuedReservedInstancesIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: item + minItems: 1 + maxItems: 100 + DeleteQueuedReservedInstancesRequest: + type: object + required: + - ReservedInstancesIds + title: DeleteQueuedReservedInstancesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ReservedInstancesId: + allOf: + - $ref: '#/components/schemas/DeleteQueuedReservedInstancesIdList' + - description: The IDs of the Reserved Instances. + SuccessfulQueuedPurchaseDeletionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SuccessfulQueuedPurchaseDeletion' + - xml: + name: item + FailedQueuedPurchaseDeletionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/FailedQueuedPurchaseDeletion' + - xml: + name: item + DeleteRouteRequest: + type: object + required: + - RouteTableId + title: DeleteRouteRequest + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR range for the route. The value you specify must match the CIDR for the route exactly. + destinationIpv6CidrBlock: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list for the route. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + routeTableId: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - description: The ID of the route table. + DeleteRouteTableRequest: + type: object + required: + - RouteTableId + title: DeleteRouteTableRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + routeTableId: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - description: The ID of the route table. + DeleteSecurityGroupRequest: + type: object + title: DeleteSecurityGroupRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SecurityGroupName' + - description: '[EC2-Classic, default VPC] The name of the security group. You can specify either the security group name or the security group ID.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteSnapshotRequest: + type: object + required: + - SnapshotId + title: DeleteSnapshotRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the EBS snapshot. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteSpotDatafeedSubscriptionRequest: + type: object + title: DeleteSpotDatafeedSubscriptionRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DeleteSpotDatafeedSubscription. + DeleteSubnetCidrReservationRequest: + type: object + required: + - SubnetCidrReservationId + title: DeleteSubnetCidrReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteSubnetRequest: + type: object + required: + - SubnetId + title: DeleteSubnetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTagsRequest: + type: object + required: + - Resources + title: DeleteTagsRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + resourceId: + allOf: + - $ref: '#/components/schemas/ResourceIdList' + - description: '

The IDs of the resources, separated by spaces.

Constraints: Up to 1000 resource IDs. We recommend breaking up this request into smaller batches.

' + tag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: '

The tags to delete. Specify a tag key and an optional tag value to delete specific tags. If you specify a tag key without a tag value, we delete any tag with this key regardless of its value. If you specify a tag key with an empty string as the tag value, we delete the tag only if its value is an empty string.

If you omit this parameter, we delete all user-defined tags for the specified resources. We do not delete Amazon Web Services-generated tags (tags that have the aws: prefix).

Constraints: Up to 1000 tags.

' + DeleteTrafficMirrorFilterRequest: + type: object + required: + - TrafficMirrorFilterId + title: DeleteTrafficMirrorFilterRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTrafficMirrorFilterRuleRequest: + type: object + required: + - TrafficMirrorFilterRuleId + title: DeleteTrafficMirrorFilterRuleRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTrafficMirrorSessionRequest: + type: object + required: + - TrafficMirrorSessionId + title: DeleteTrafficMirrorSessionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTrafficMirrorTargetRequest: + type: object + required: + - TrafficMirrorTargetId + title: DeleteTrafficMirrorTargetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayConnectPeerRequest: + type: object + required: + - TransitGatewayConnectPeerId + title: DeleteTransitGatewayConnectPeerRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayConnectRequest: + type: object + required: + - TransitGatewayAttachmentId + title: DeleteTransitGatewayConnectRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayMulticastDomainRequest: + type: object + required: + - TransitGatewayMulticastDomainId + title: DeleteTransitGatewayMulticastDomainRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayPeeringAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: DeleteTransitGatewayPeeringAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayPrefixListReferenceRequest: + type: object + required: + - TransitGatewayRouteTableId + - PrefixListId + title: DeleteTransitGatewayPrefixListReferenceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayRequest: + type: object + required: + - TransitGatewayId + title: DeleteTransitGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayRouteRequest: + type: object + required: + - TransitGatewayRouteTableId + - DestinationCidrBlock + title: DeleteTransitGatewayRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayRouteTableRequest: + type: object + required: + - TransitGatewayRouteTableId + title: DeleteTransitGatewayRouteTableRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteTransitGatewayVpcAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: DeleteTransitGatewayVpcAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteVolumeRequest: + type: object + required: + - VolumeId + title: DeleteVolumeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the volume. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteVpcEndpointConnectionNotificationsRequest: + type: object + required: + - ConnectionNotificationIds + title: DeleteVpcEndpointConnectionNotificationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ConnectionNotificationId: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationIdsList' + - description: One or more notification IDs. + VpcEndpointServiceIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - xml: + name: item + DeleteVpcEndpointServiceConfigurationsRequest: + type: object + required: + - ServiceIds + title: DeleteVpcEndpointServiceConfigurationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ServiceId: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceIdList' + - description: The IDs of one or more services. + DeleteVpcEndpointsRequest: + type: object + required: + - VpcEndpointIds + title: DeleteVpcEndpointsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpcEndpointId: + allOf: + - $ref: '#/components/schemas/VpcEndpointIdList' + - description: One or more VPC endpoint IDs. + description: Contains the parameters for DeleteVpcEndpoints. + DeleteVpcPeeringConnectionRequest: + type: object + required: + - VpcPeeringConnectionId + title: DeleteVpcPeeringConnectionRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionId' + - description: The ID of the VPC peering connection. + DeleteVpcRequest: + type: object + required: + - VpcId + title: DeleteVpcRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeleteVpnConnectionRequest: + type: object + required: + - VpnConnectionId + title: DeleteVpnConnectionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpnConnectionId' + - description: The ID of the VPN connection. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DeleteVpnConnection. + DeleteVpnConnectionRouteRequest: + type: object + required: + - DestinationCidrBlock + - VpnConnectionId + title: DeleteVpnConnectionRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpnConnectionId' + - description: The ID of the VPN connection. + description: Contains the parameters for DeleteVpnConnectionRoute. + DeleteVpnGatewayRequest: + type: object + required: + - VpnGatewayId + title: DeleteVpnGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpnGatewayId' + - description: The ID of the virtual private gateway. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DeleteVpnGateway. + DeprovisionByoipCidrRequest: + type: object + required: + - Cidr + title: DeprovisionByoipCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DeprovisionIpamPoolCidrRequest: + type: object + required: + - IpamPoolId + title: DeprovisionIpamPoolCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR which you want to deprovision from the pool. + IpamPoolCidr: + type: object + properties: + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The CIDR provisioned to the IPAM pool. A CIDR is a representation of an IP address and its associated network mask (or netmask) and refers to a range of IP addresses. An IPv4 CIDR example is 10.24.34.0/23. An IPv6 CIDR example is 2001:DB8::/32.' + state: + allOf: + - $ref: '#/components/schemas/IpamPoolCidrState' + - description: The state of the CIDR. + failureReason: + allOf: + - $ref: '#/components/schemas/IpamPoolCidrFailureReason' + - description: Details related to why an IPAM pool CIDR failed to be provisioned. + description: A CIDR provisioned to an IPAM pool. + DeprovisionPublicIpv4PoolCidrRequest: + type: object + required: + - PoolId + - Cidr + title: DeprovisionPublicIpv4PoolCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR you want to deprovision from the pool. + DeprovisionedAddressSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + DeregisterImageRequest: + type: object + required: + - ImageId + title: DeregisterImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the AMI. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DeregisterImage. + DeregisterInstanceTagAttributeRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to deregister all tag keys in the current Region. Specify false to deregister all tag keys. + InstanceTagKey: + allOf: + - $ref: '#/components/schemas/InstanceTagKeySet' + - description: Information about the tag keys to deregister. + description: Information about the tag keys to deregister for the current Region. You can either specify individual tag keys or deregister all tag keys in the current Region. You must specify either IncludeAllTagsOfInstance or InstanceTagKeys in the request + DeregisterInstanceEventNotificationAttributesRequest: + type: object + title: DeregisterInstanceEventNotificationAttributesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DeregisterInstanceTagAttributeRequest' + - description: Information about the tag keys to deregister. + InstanceTagNotificationAttribute: + type: object + properties: + instanceTagKeySet: + allOf: + - $ref: '#/components/schemas/InstanceTagKeySet' + - description: The registered tag keys. + includeAllTagsOfInstance: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates wheter all tag keys in the current Region are registered to appear in scheduled event notifications. true indicates that all tag keys in the current Region are registered. + description: Describes the registered tag keys for the current Region. + DeregisterTransitGatewayMulticastGroupMembersRequest: + type: object + title: DeregisterTransitGatewayMulticastGroupMembersRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastDeregisteredGroupMembers: + type: object + properties: + transitGatewayMulticastDomainId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway multicast domain. + deregisteredNetworkInterfaceIds: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The network interface IDs of the deregistered members. + groupIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address assigned to the transit gateway multicast group. + description: Describes the deregistered transit gateway multicast group members. + DeregisterTransitGatewayMulticastGroupSourcesRequest: + type: object + title: DeregisterTransitGatewayMulticastGroupSourcesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastDeregisteredGroupSources: + type: object + properties: + transitGatewayMulticastDomainId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway multicast domain. + deregisteredNetworkInterfaceIds: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The network interface IDs of the non-registered members. + groupIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address assigned to the transit gateway multicast group. + description: Describes the deregistered transit gateway multicast group sources. + DescribeAccountAttributesRequest: + type: object + title: DescribeAccountAttributesRequest + properties: + attributeName: + allOf: + - $ref: '#/components/schemas/AccountAttributeNameStringList' + - description: The account attribute names. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeAddressesAttributeRequest: + type: object + title: DescribeAddressesAttributeRequest + properties: + AllocationId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + NextToken: + type: string + FilterList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + PublicIpStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: PublicIp + DescribeAddressesRequest: + type: object + title: DescribeAddressesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters. Filter names and values are case-sensitive.

' + PublicIp: + allOf: + - $ref: '#/components/schemas/PublicIpStringList' + - description: '

One or more Elastic IP addresses.

Default: Describes all your Elastic IP addresses.

' + AllocationId: + allOf: + - $ref: '#/components/schemas/AllocationIdList' + - description: '[EC2-VPC] Information about the allocation IDs.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeAggregateIdFormatRequest: + type: object + title: DescribeAggregateIdFormatRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + IdFormatList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IdFormat' + - xml: + name: item + ZoneNameStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ZoneName + DescribeAvailabilityZonesRequest: + type: object + title: DescribeAvailabilityZonesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + ZoneName: + allOf: + - $ref: '#/components/schemas/ZoneNameStringList' + - description: 'The names of the Availability Zones, Local Zones, and Wavelength Zones.' + ZoneId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Include all Availability Zones, Local Zones, and Wavelength Zones regardless of your opt-in status.

If you do not use this parameter, the results include only the zones for the Regions where you have chosen the option to opt in.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeBundleTasksRequest: + type: object + title: DescribeBundleTasksRequest + properties: + BundleId: + allOf: + - $ref: '#/components/schemas/BundleIdStringList' + - description: '

The bundle task IDs.

Default: Describes all your bundle tasks.

' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeByoipCidrsMaxResults: + type: integer + minimum: 1 + maximum: 100 + DescribeByoipCidrsRequest: + type: object + required: + - MaxResults + title: DescribeByoipCidrsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + DescribeCapacityReservationFleetsMaxResults: + type: integer + minimum: 1 + maximum: 100 + DescribeCapacityReservationFleetsRequest: + type: object + title: DescribeCapacityReservationFleetsRequest + properties: + CapacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/DescribeCapacityReservationFleetsMaxResults' + - description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeCapacityReservationsMaxResults: + type: integer + minimum: 1 + maximum: 1000 + DescribeCapacityReservationsRequest: + type: object + title: DescribeCapacityReservationsRequest + properties: + CapacityReservationId: + allOf: + - $ref: '#/components/schemas/DescribeCapacityReservationsMaxResults' + - description: 'The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.' + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeCarrierGatewaysRequest: + type: object + title: DescribeCarrierGatewaysRequest + properties: + CarrierGatewayId: + allOf: + - $ref: '#/components/schemas/CarrierGatewayIdSet' + - description: One or more carrier gateway IDs. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeClassicLinkInstancesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + InstanceIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: InstanceId + DescribeClassicLinkInstancesRequest: + type: object + title: DescribeClassicLinkInstancesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: One or more instance IDs. Must be instances linked to a VPC through ClassicLink. + maxResults: + allOf: + - $ref: '#/components/schemas/DescribeClassicLinkInstancesMaxResults' + - description: '

The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.

Constraint: If the value is greater than 1000, we return only 1000 items.

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + DescribeClientVpnAuthorizationRulesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeClientVpnAuthorizationRulesRequest: + type: object + required: + - ClientVpnEndpointId + title: DescribeClientVpnAuthorizationRulesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to retrieve the next page of results. + Filter: + allOf: + - $ref: '#/components/schemas/DescribeClientVpnAuthorizationRulesMaxResults' + - description: The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the nextToken value. + DescribeClientVpnConnectionsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeClientVpnConnectionsRequest: + type: object + required: + - ClientVpnEndpointId + title: DescribeClientVpnConnectionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointId' + - description: The ID of the Client VPN endpoint. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeClientVpnEndpointMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeClientVpnEndpointsRequest: + type: object + title: DescribeClientVpnEndpointsRequest + properties: + ClientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to retrieve the next page of results. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EndpointSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpoint' + - xml: + name: item + DescribeClientVpnRoutesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeClientVpnRoutesRequest: + type: object + required: + - ClientVpnEndpointId + title: DescribeClientVpnRoutesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ClientVpnEndpointId' + - description: The ID of the Client VPN endpoint. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeClientVpnTargetNetworksMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeClientVpnTargetNetworksRequest: + type: object + required: + - ClientVpnEndpointId + title: DescribeClientVpnTargetNetworksRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to retrieve the next page of results. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TargetNetworkSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TargetNetwork' + - xml: + name: item + DescribeCoipPoolsRequest: + type: object + title: DescribeCoipPoolsRequest + properties: + PoolId: + allOf: + - $ref: '#/components/schemas/CoipPoolIdSet' + - description: The IDs of the address pools. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeConversionTaskList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ConversionTask' + - xml: + name: item + DescribeConversionTasksRequest: + type: object + title: DescribeConversionTasksRequest + properties: + conversionTaskId: + allOf: + - $ref: '#/components/schemas/ConversionIdStringList' + - description: The conversion task IDs. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeCustomerGatewaysRequest: + type: object + title: DescribeCustomerGatewaysRequest + properties: + CustomerGatewayId: + allOf: + - $ref: '#/components/schemas/CustomerGatewayIdStringList' + - description: '

One or more customer gateway IDs.

Default: Describes all your customer gateways.

' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DescribeCustomerGateways. + DescribeDhcpOptionsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DhcpOptionsIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/DhcpOptionsId' + - xml: + name: DhcpOptionsId + DescribeDhcpOptionsRequest: + type: object + title: DescribeDhcpOptionsRequest + properties: + DhcpOptionsId: + allOf: + - $ref: '#/components/schemas/DhcpOptionsIdStringList' + - description: '

The IDs of one or more DHCP options sets.

Default: Describes all your DHCP options sets.

' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/DescribeDhcpOptionsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + DhcpOptionsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/DhcpOptions' + - xml: + name: item + DescribeEgressOnlyInternetGatewaysMaxResults: + type: integer + minimum: 5 + maximum: 255 + DescribeEgressOnlyInternetGatewaysRequest: + type: object + title: DescribeEgressOnlyInternetGatewaysRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EgressOnlyInternetGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + EgressOnlyInternetGatewayList: + type: array + items: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGateway' + - xml: + name: item + DescribeElasticGpusMaxResults: + type: integer + minimum: 10 + maximum: 1000 + DescribeElasticGpusRequest: + type: object + title: DescribeElasticGpusRequest + properties: + ElasticGpuId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to request the next page of results. + ElasticGpuSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpus' + - xml: + name: item + DescribeExportImageTasksMaxResults: + type: integer + minimum: 1 + maximum: 500 + DescribeExportImageTasksRequest: + type: object + title: DescribeExportImageTasksRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: 'Filter tasks using the task-state filter and one of the following values: active, completed, deleting, or deleted.' + ExportImageTaskId: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: A token that indicates the next page of results. + ExportImageTaskList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExportImageTask' + - xml: + name: item + ExportTaskIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExportTaskId' + - xml: + name: ExportTaskId + DescribeExportTasksRequest: + type: object + title: DescribeExportTasksRequest + properties: + exportTaskId: + allOf: + - $ref: '#/components/schemas/ExportTaskIdStringList' + - description: The export task IDs. + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: the filters for the export tasks. + ExportTaskList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExportTask' + - xml: + name: item + FastLaunchImageIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: ImageId + DescribeFastLaunchImagesRequest: + type: object + title: DescribeFastLaunchImagesRequest + properties: + ImageId: + allOf: + - $ref: '#/components/schemas/FastLaunchImageIdList' + - description: Details for one or more Windows AMI image IDs. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeFastLaunchImagesRequestMaxResults: + type: integer + minimum: 0 + maximum: 200 + DescribeFastLaunchImagesSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DescribeFastLaunchImagesSuccessItem' + - xml: + name: item + FastLaunchResourceType: + type: string + enum: + - snapshot + FastLaunchSnapshotConfigurationResponse: + type: object + properties: + targetResourceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of pre-provisioned snapshots requested to keep on hand for a fast-launch enabled Windows AMI. + description: Configuration settings for creating and managing pre-provisioned snapshots for a fast-launch enabled Windows AMI. + FastLaunchLaunchTemplateSpecificationResponse: + type: object + properties: + launchTemplateId: + allOf: + - $ref: '#/components/schemas/LaunchTemplateId' + - description: The ID of the launch template for faster launching of the associated Windows AMI. + launchTemplateName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the launch template for faster launching of the associated Windows AMI. + version: + allOf: + - $ref: '#/components/schemas/String' + - description: The version of the launch template for faster launching of the associated Windows AMI. + description: Identifies the launch template to use for faster launching of the Windows AMI. + FastLaunchStateCode: + type: string + enum: + - enabling + - enabling-failed + - enabled + - enabled-failed + - disabling + - disabling-failed + DescribeFastLaunchImagesSuccessItem: + type: object + properties: + imageId: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The image ID that identifies the fast-launch enabled Windows image. + resourceType: + allOf: + - $ref: '#/components/schemas/FastLaunchResourceType' + - description: 'The resource type that is used for pre-provisioning the Windows AMI. Supported values include: snapshot.' + snapshotConfiguration: + allOf: + - $ref: '#/components/schemas/FastLaunchSnapshotConfigurationResponse' + - description: A group of parameters that are used for pre-provisioning the associated Windows AMI using snapshots. + launchTemplate: + allOf: + - $ref: '#/components/schemas/FastLaunchLaunchTemplateSpecificationResponse' + - description: The launch template that the fast-launch enabled Windows AMI uses when it launches Windows instances from pre-provisioned snapshots. + maxParallelLaunches: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum number of parallel instances that are launched for creating resources. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The owner ID for the fast-launch enabled Windows AMI. + state: + allOf: + - $ref: '#/components/schemas/FastLaunchStateCode' + - description: The current state of faster launching for the specified Windows AMI. + stateTransitionReason: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason that faster launching for the Windows AMI changed to the current state. + stateTransitionTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time that faster launching for the Windows AMI changed to the current state. + description: Describe details about a fast-launch enabled Windows image that meets the requested criteria. Criteria are defined by the DescribeFastLaunchImages action filters. + FastSnapshotRestoreStateCode: + type: string + enum: + - enabling + - optimizing + - enabled + - disabling + - disabled + DescribeFastSnapshotRestoreSuccessItem: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + state: + allOf: + - $ref: '#/components/schemas/FastSnapshotRestoreStateCode' + - description: The state of fast snapshot restores. + stateTransitionReason: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The reason for the state transition. The possible values are as follows:

' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that enabled fast snapshot restores on the snapshot. + ownerAlias: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services owner alias that enabled fast snapshot restores on the snapshot. This is intended for future use. + enablingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the enabling state. + optimizingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the optimizing state. + enabledTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the enabled state. + disablingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the disabling state. + disabledTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the disabled state. + description: Describes fast snapshot restores for a snapshot. + DescribeFastSnapshotRestoreSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DescribeFastSnapshotRestoreSuccessItem' + - xml: + name: item + DescribeFastSnapshotRestoresMaxResults: + type: integer + minimum: 0 + maximum: 200 + DescribeFastSnapshotRestoresRequest: + type: object + title: DescribeFastSnapshotRestoresRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeFleetError: + type: object + properties: + launchTemplateAndOverrides: + allOf: + - $ref: '#/components/schemas/LaunchTemplateAndOverridesResponse' + - description: The launch templates and overrides that were used for launching the instances. The values that you specify in the Overrides replace the values in the launch template. + lifecycle: + allOf: + - $ref: '#/components/schemas/InstanceLifecycle' + - description: Indicates if the instance that could not be launched was a Spot Instance or On-Demand Instance. + errorCode: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error code that indicates why the instance could not be launched. For more information about error codes, see Error codes.' + errorMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error message that describes why the instance could not be launched. For more information about error messages, see Error codes.' + description: Describes the instances that could not be launched by the fleet. + DescribeFleetHistoryRequest: + type: object + required: + - FleetId + - StartTime + title: DescribeFleetHistoryRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The start date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + HistoryRecordSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/HistoryRecordEntry' + - xml: + name: item + DescribeFleetInstancesRequest: + type: object + required: + - FleetId + title: DescribeFleetInstancesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC2 Fleet. + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

The filters.

+ DescribeFleetsErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DescribeFleetError' + - xml: + name: item + DescribeFleetsInstances: + type: object + properties: + launchTemplateAndOverrides: + allOf: + - $ref: '#/components/schemas/LaunchTemplateAndOverridesResponse' + - description: The launch templates and overrides that were used for launching the instances. The values that you specify in the Overrides replace the values in the launch template. + lifecycle: + allOf: + - $ref: '#/components/schemas/InstanceLifecycle' + - description: Indicates if the instance that was launched is a Spot Instance or On-Demand Instance. + instanceIds: + allOf: + - $ref: '#/components/schemas/InstanceIdsSet' + - description: The IDs of the instances. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + platform: + allOf: + - $ref: '#/components/schemas/PlatformValues' + - description: 'The value is Windows for Windows instances. Otherwise, the value is blank.' + description: Describes the instances that were launched by the fleet. + DescribeFleetsInstancesSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DescribeFleetsInstances' + - xml: + name: item + FleetIdSet: + type: array + items: + $ref: '#/components/schemas/FleetId' + DescribeFleetsRequest: + type: object + title: DescribeFleetsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + FleetId: + allOf: + - $ref: '#/components/schemas/FleetIdSet' + - description: '

The IDs of the EC2 Fleets.

If a fleet is of type instant, you must specify the fleet ID, otherwise it does not appear in the response.

' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

The filters.

+ FleetSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetData' + - xml: + name: item + DescribeFlowLogsRequest: + type: object + title: DescribeFlowLogsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + FlowLogId: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + FlowLogSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/FlowLog' + - xml: + name: item + FpgaImageAttributeName: + type: string + enum: + - description + - name + - loadPermission + - productCodes + DescribeFpgaImageAttributeRequest: + type: object + required: + - FpgaImageId + - Attribute + title: DescribeFpgaImageAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FpgaImageAttributeName' + - description: The AFI attribute. + FpgaImageAttribute: + type: object + properties: + fpgaImageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AFI. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the AFI. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the AFI. + loadPermissions: + allOf: + - $ref: '#/components/schemas/LoadPermissionList' + - description: The load permissions. + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: The product codes. + description: Describes an Amazon FPGA image (AFI) attribute. + DescribeFpgaImagesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + FpgaImageIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/FpgaImageId' + - xml: + name: item + OwnerStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: Owner + DescribeFpgaImagesRequest: + type: object + title: DescribeFpgaImagesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + FpgaImageId: + allOf: + - $ref: '#/components/schemas/FpgaImageIdList' + - description: The AFI IDs. + Owner: + allOf: + - $ref: '#/components/schemas/OwnerStringList' + - description: 'Filters the AFI by owner. Specify an Amazon Web Services account ID, self (owner is the sender of the request), or an Amazon Web Services owner alias (valid values are amazon | aws-marketplace).' + Filter: + allOf: + - $ref: '#/components/schemas/DescribeFpgaImagesMaxResults' + - description: The maximum number of results to return in a single call. + FpgaImageList: + type: array + items: + allOf: + - $ref: '#/components/schemas/FpgaImage' + - xml: + name: item + OfferingId: + type: string + DescribeHostReservationOfferingsRequest: + type: object + title: DescribeHostReservationOfferingsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/OfferingId' + - description: The ID of the reservation offering. + HostOfferingSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/HostOffering' + - xml: + name: item + DescribeHostReservationsMaxResults: + type: integer + minimum: 5 + maximum: 500 + DescribeHostReservationsRequest: + type: object + title: DescribeHostReservationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. + HostReservationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/HostReservation' + - xml: + name: item + RequestHostIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + DescribeHostsRequest: + type: object + title: DescribeHostsRequest + properties: + filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + hostId: + allOf: + - $ref: '#/components/schemas/RequestHostIdList' + - description: The IDs of the Dedicated Hosts. The IDs are used for targeted instance launches. + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The maximum number of results to return for the request in a single page. The remaining results can be seen by sending another request with the returned nextToken value. This value can be between 5 and 500. If maxResults is given a larger value than 500, you receive an error.

You cannot specify this parameter and the host IDs parameter in the same request.

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to use to retrieve the next page of results. + HostList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Host' + - xml: + name: item + DescribeIamInstanceProfileAssociationsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeIamInstanceProfileAssociationsRequest: + type: object + title: DescribeIamInstanceProfileAssociationsRequest + properties: + AssociationId: + allOf: + - $ref: '#/components/schemas/AssociationIdList' + - description: The IAM instance profile associations. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to request the next page of results. + IamInstanceProfileAssociationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociation' + - xml: + name: item + DescribeIdFormatRequest: + type: object + title: DescribeIdFormatRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway ' + DescribeIdentityIdFormatRequest: + type: object + required: + - PrincipalArn + title: DescribeIdentityIdFormatRequest + properties: + principalArn: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the principal, which can be an IAM role, IAM user, or the root user.' + resource: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway ' + DescribeImageAttributeRequest: + type: object + required: + - Attribute + - ImageId + title: DescribeImageAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the AMI. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DescribeImageAttribute. + ExecutableByStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ExecutableBy + ImageIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: ImageId + DescribeImagesRequest: + type: object + title: DescribeImagesRequest + properties: + ExecutableBy: + allOf: + - $ref: '#/components/schemas/ExecutableByStringList' + - description: '

Scopes the images by users with explicit launch permissions. Specify an Amazon Web Services account ID, self (the sender of the request), or all (public AMIs).

' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + ImageId: + allOf: + - $ref: '#/components/schemas/ImageIdStringList' + - description: '

The image IDs.

Default: Describes all images available to you.

' + Owner: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If true, all deprecated AMIs are included in the response. If false, no deprecated AMIs are included in the response. If no value is specified, the default value is false.

If you are the AMI owner, all deprecated AMIs appear in the response regardless of the value (true or false) that you set for this parameter.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ImageList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Image' + - xml: + name: item + DescribeImportImageTasksRequest: + type: object + title: DescribeImportImageTasksRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: 'Filter tasks using the task-state filter and one of the following values: active, completed, deleting, or deleted.' + ImportTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: A token that indicates the next page of results. + ImportImageTaskList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportImageTask' + - xml: + name: item + DescribeImportSnapshotTasksRequest: + type: object + title: DescribeImportSnapshotTasksRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: The filters. + ImportTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: A token that indicates the next page of results. + ImportSnapshotTaskList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportSnapshotTask' + - xml: + name: item + InstanceAttributeName: + type: string + enum: + - instanceType + - kernel + - ramdisk + - userData + - disableApiTermination + - instanceInitiatedShutdownBehavior + - rootDeviceName + - blockDeviceMapping + - productCodes + - sourceDestCheck + - groupSet + - ebsOptimized + - sriovNetSupport + - enaSupport + - enclaveOptions + DescribeInstanceAttributeRequest: + type: object + required: + - Attribute + - InstanceId + title: DescribeInstanceAttributeRequest + properties: + attribute: + allOf: + - $ref: '#/components/schemas/InstanceAttributeName' + - description: '

The instance attribute.

Note: The enaSupport attribute is not supported at this time.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + DescribeInstanceCreditSpecificationsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeInstanceCreditSpecificationsRequest: + type: object + title: DescribeInstanceCreditSpecificationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

The filters.

+ InstanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + InstanceCreditSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceCreditSpecification' + - xml: + name: item + DescribeInstanceEventNotificationAttributesRequest: + type: object + title: DescribeInstanceEventNotificationAttributesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + InstanceEventWindowIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowId' + - xml: + name: InstanceEventWindowId + DescribeInstanceEventWindowsRequest: + type: object + title: DescribeInstanceEventWindowsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + InstanceEventWindowId: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowIdSet' + - description: The IDs of the event windows. + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to request the next page of results. + description: Describe instance event windows by InstanceEventWindow. + InstanceEventWindowSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceEventWindow' + - xml: + name: item + DescribeInstanceStatusRequest: + type: object + title: DescribeInstanceStatusRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + InstanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + includeAllInstances: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

When true, includes the health status for all instances. When false, includes the health status for running instances only.

Default: false

' + InstanceStatusList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceStatus' + - xml: + name: item + LocationType: + type: string + enum: + - region + - availability-zone + - availability-zone-id + DescribeInstanceTypeOfferingsRequest: + type: object + title: DescribeInstanceTypeOfferingsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LocationType' + - description: The location type. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to retrieve the next page of results. + InstanceTypeOfferingsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceTypeOffering' + - xml: + name: item + RequestInstanceTypeList: + type: array + items: + $ref: '#/components/schemas/InstanceType' + minItems: 0 + maxItems: 100 + DescribeInstanceTypesRequest: + type: object + title: DescribeInstanceTypesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + InstanceType: + allOf: + - $ref: '#/components/schemas/RequestInstanceTypeList' + - description: 'The instance types. For more information, see Instance types in the Amazon EC2 User Guide.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token to retrieve the next page of results. + InstanceTypeInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceTypeInfo' + - xml: + name: item + DescribeInstancesRequest: + type: object + title: DescribeInstancesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: '

The instance IDs.

Default: Describes all your instances.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 5 and 1000. You cannot specify this parameter and the instance IDs parameter in the same call.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to request the next page of results. + ReservationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Reservation' + - xml: + name: item + DescribeInternetGatewaysMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeInternetGatewaysRequest: + type: object + title: DescribeInternetGatewaysRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + internetGatewayId: + allOf: + - $ref: '#/components/schemas/DescribeInternetGatewaysMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + InternetGatewayList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InternetGateway' + - xml: + name: item + DescribeIpamPoolsRequest: + type: object + title: DescribeIpamPoolsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + IpamPoolId: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the IPAM pools you would like information on. + IpamPoolSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamPool' + - xml: + name: item + DescribeIpamScopesRequest: + type: object + title: DescribeIpamScopesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + IpamScopeId: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the scopes you want information on. + IpamScopeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamScope' + - xml: + name: item + DescribeIpamsRequest: + type: object + title: DescribeIpamsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + IpamId: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the IPAMs you want information on. + IpamSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipam' + - xml: + name: item + DescribeIpv6PoolsRequest: + type: object + title: DescribeIpv6PoolsRequest + properties: + PoolId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + Ipv6PoolSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6Pool' + - xml: + name: item + KeyNameStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/KeyPairName' + - xml: + name: KeyName + KeyPairIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/KeyPairId' + - xml: + name: KeyPairId + DescribeKeyPairsRequest: + type: object + title: DescribeKeyPairsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + KeyName: + allOf: + - $ref: '#/components/schemas/KeyNameStringList' + - description: '

The key pair names.

Default: Describes all of your key pairs.

' + KeyPairId: + allOf: + - $ref: '#/components/schemas/KeyPairIdStringList' + - description: The IDs of the key pairs. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If true, the public key material is included in the response.

Default: false

' + KeyPairList: + type: array + items: + allOf: + - $ref: '#/components/schemas/KeyPairInfo' + - xml: + name: item + DescribeLaunchTemplateVersionsRequest: + type: object + title: DescribeLaunchTemplateVersionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: 'The name of the launch template. To describe one or more versions of a specified launch template, you must specify either the launch template ID or the launch template name in the request. To describe all the latest or default launch template versions in your account, you must omit this parameter.' + LaunchTemplateVersion: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 1 and 200.' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

One or more filters.

+ LaunchTemplateVersionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateVersion' + - xml: + name: item + DescribeLaunchTemplatesMaxResults: + type: integer + minimum: 1 + maximum: 200 + LaunchTemplateIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateId' + - xml: + name: item + LaunchTemplateNameStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - xml: + name: item + DescribeLaunchTemplatesRequest: + type: object + title: DescribeLaunchTemplatesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LaunchTemplateId: + allOf: + - $ref: '#/components/schemas/LaunchTemplateIdStringList' + - description: One or more launch template IDs. + LaunchTemplateName: + allOf: + - $ref: '#/components/schemas/LaunchTemplateNameStringList' + - description: One or more launch template names. + Filter: + allOf: + - $ref: '#/components/schemas/DescribeLaunchTemplatesMaxResults' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 1 and 200.' + LaunchTemplateSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplate' + - xml: + name: item + LocalGatewayRouteTableVirtualInterfaceGroupAssociationIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVirtualInterfaceGroupAssociationId' + - xml: + name: item + DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsRequest: + type: object + title: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsRequest + properties: + LocalGatewayRouteTableVirtualInterfaceGroupAssociationId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVirtualInterfaceGroupAssociationIdSet' + - description: The IDs of the associations. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayRouteTableVirtualInterfaceGroupAssociationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVirtualInterfaceGroupAssociation' + - xml: + name: item + LocalGatewayRouteTableVpcAssociationIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociationId' + - xml: + name: item + DescribeLocalGatewayRouteTableVpcAssociationsRequest: + type: object + title: DescribeLocalGatewayRouteTableVpcAssociationsRequest + properties: + LocalGatewayRouteTableVpcAssociationId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociationIdSet' + - description: The IDs of the associations. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayRouteTableVpcAssociationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVpcAssociation' + - xml: + name: item + LocalGatewayRouteTableIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoutetableId' + - xml: + name: item + DescribeLocalGatewayRouteTablesRequest: + type: object + title: DescribeLocalGatewayRouteTablesRequest + properties: + LocalGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableIdSet' + - description: The IDs of the local gateway route tables. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayRouteTableSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTable' + - xml: + name: item + LocalGatewayVirtualInterfaceGroupIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupId' + - xml: + name: item + DescribeLocalGatewayVirtualInterfaceGroupsRequest: + type: object + title: DescribeLocalGatewayVirtualInterfaceGroupsRequest + properties: + LocalGatewayVirtualInterfaceGroupId: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupIdSet' + - description: The IDs of the virtual interface groups. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayVirtualInterfaceGroupSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroup' + - xml: + name: item + LocalGatewayVirtualInterfaceIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceId' + - xml: + name: item + DescribeLocalGatewayVirtualInterfacesRequest: + type: object + title: DescribeLocalGatewayVirtualInterfacesRequest + properties: + LocalGatewayVirtualInterfaceId: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceIdSet' + - description: The IDs of the virtual interfaces. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewayVirtualInterfaceSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterface' + - xml: + name: item + LocalGatewayIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayId' + - xml: + name: item + DescribeLocalGatewaysRequest: + type: object + title: DescribeLocalGatewaysRequest + properties: + LocalGatewayId: + allOf: + - $ref: '#/components/schemas/LocalGatewayIdSet' + - description: The IDs of the local gateways. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + LocalGatewaySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGateway' + - xml: + name: item + DescribeManagedPrefixListsRequest: + type: object + title: DescribeManagedPrefixListsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + PrefixListId: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: One or more prefix list IDs. + ManagedPrefixListSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ManagedPrefixList' + - xml: + name: item + DescribeMovingAddressesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeMovingAddressesRequest: + type: object + title: DescribeMovingAddressesRequest + properties: + filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

One or more filters.

+ dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + maxResults: + allOf: + - $ref: '#/components/schemas/DescribeMovingAddressesMaxResults' + - description: '

The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. This value can be between 5 and 1000; if MaxResults is given a value outside of this range, an error is returned.

Default: If no value is provided, the default is 1000.

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + publicIp: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: One or more Elastic IP addresses. + MovingAddressStatusSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/MovingAddressStatus' + - xml: + name: item + DescribeNatGatewaysMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeNatGatewaysRequest: + type: object + title: DescribeNatGatewaysRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DescribeNatGatewaysMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + NatGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + NatGatewayList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NatGateway' + - xml: + name: item + DescribeNetworkAclsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeNetworkAclsRequest: + type: object + title: DescribeNetworkAclsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + NetworkAclId: + allOf: + - $ref: '#/components/schemas/DescribeNetworkAclsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + NetworkAclList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkAcl' + - xml: + name: item + DescribeNetworkInsightsAccessScopeAnalysesRequest: + type: object + title: DescribeNetworkInsightsAccessScopeAnalysesRequest + properties: + NetworkInsightsAccessScopeAnalysisId: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: Filters the results based on the start time. The analysis must have started on or before this time. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + NetworkInsightsAccessScopeAnalysisList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysis' + - xml: + name: item + NetworkInsightsAccessScopeIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - xml: + name: item + DescribeNetworkInsightsAccessScopesRequest: + type: object + title: DescribeNetworkInsightsAccessScopesRequest + properties: + NetworkInsightsAccessScopeId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeIdList' + - description: The IDs of the Network Access Scopes. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + NetworkInsightsAccessScopeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScope' + - xml: + name: item + DescribeNetworkInsightsAnalysesRequest: + type: object + title: DescribeNetworkInsightsAnalysesRequest + properties: + NetworkInsightsAnalysisId: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time when the network insights analyses ended. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + NetworkInsightsAnalysisList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysis' + - xml: + name: item + NetworkInsightsPathIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - xml: + name: item + DescribeNetworkInsightsPathsRequest: + type: object + title: DescribeNetworkInsightsPathsRequest + properties: + NetworkInsightsPathId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathIdList' + - description: The IDs of the paths. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + NetworkInsightsPathList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPath' + - xml: + name: item + NetworkInterfaceAttribute: + type: string + enum: + - description + - groupSet + - sourceDestCheck + - attachment + DescribeNetworkInterfaceAttributeRequest: + type: object + required: + - NetworkInterfaceId + title: DescribeNetworkInterfaceAttributeRequest + properties: + attribute: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttribute' + - description: The attribute of the network interface. This parameter is required. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + description: Contains the parameters for DescribeNetworkInterfaceAttribute. + NetworkInterfaceAttachment: + type: object + properties: + attachTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The timestamp indicating when the attachment initiated. + attachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface attachment. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the network interface is deleted when the instance is terminated. + deviceIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The device index of the network interface attachment on the instance. + networkCardIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the network card. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + instanceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the instance. + status: + allOf: + - $ref: '#/components/schemas/AttachmentStatus' + - description: The attachment state. + description: Describes a network interface attachment. + DescribeNetworkInterfacePermissionsMaxResults: + type: integer + minimum: 5 + maximum: 255 + NetworkInterfacePermissionIdList: + type: array + items: + $ref: '#/components/schemas/NetworkInterfacePermissionId' + DescribeNetworkInterfacePermissionsRequest: + type: object + title: DescribeNetworkInterfacePermissionsRequest + properties: + NetworkInterfacePermissionId: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePermissionIdList' + - description: One or more network interface permission IDs. + Filter: + allOf: + - $ref: '#/components/schemas/DescribeNetworkInterfacePermissionsMaxResults' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. If this parameter is not specified, up to 50 results are returned by default.' + description: Contains the parameters for DescribeNetworkInterfacePermissions. + NetworkInterfacePermissionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePermission' + - xml: + name: item + DescribeNetworkInterfacesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeNetworkInterfacesRequest: + type: object + title: DescribeNetworkInterfacesRequest + properties: + filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + NetworkInterfaceId: + allOf: + - $ref: '#/components/schemas/DescribeNetworkInterfacesMaxResults' + - description: The maximum number of items to return for this request. The request returns a token that you can specify in a subsequent call to get the next set of results. You cannot specify this parameter and the network interface IDs parameter in the same request. + description: Contains the parameters for DescribeNetworkInterfaces. + NetworkInterfaceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterface' + - xml: + name: item + PlacementGroupStringList: + type: array + items: + $ref: '#/components/schemas/PlacementGroupName' + PlacementGroupIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PlacementGroupId' + - xml: + name: GroupId + DescribePlacementGroupsRequest: + type: object + title: DescribePlacementGroupsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + groupName: + allOf: + - $ref: '#/components/schemas/PlacementGroupStringList' + - description: '

The names of the placement groups.

Default: Describes all your placement groups, or only those otherwise specified.

' + GroupId: + allOf: + - $ref: '#/components/schemas/PlacementGroupIdStringList' + - description: The IDs of the placement groups. + PlacementGroupList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PlacementGroup' + - xml: + name: item + PrefixListResourceIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - xml: + name: item + DescribePrefixListsRequest: + type: object + title: DescribePrefixListsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + PrefixListId: + allOf: + - $ref: '#/components/schemas/PrefixListResourceIdStringList' + - description: One or more prefix list IDs. + PrefixListSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrefixList' + - xml: + name: item + DescribePrincipalIdFormatMaxResults: + type: integer + minimum: 1 + maximum: 1000 + DescribePrincipalIdFormatRequest: + type: object + title: DescribePrincipalIdFormatRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Resource: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to request the next page of results. + PrincipalIdFormatList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrincipalIdFormat' + - xml: + name: item + PoolMaxResults: + type: integer + minimum: 1 + maximum: 10 + DescribePublicIpv4PoolsRequest: + type: object + title: DescribePublicIpv4PoolsRequest + properties: + PoolId: + allOf: + - $ref: '#/components/schemas/PoolMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + PublicIpv4PoolSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PublicIpv4Pool' + - xml: + name: item + RegionNameStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: RegionName + DescribeRegionsRequest: + type: object + title: DescribeRegionsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + RegionName: + allOf: + - $ref: '#/components/schemas/RegionNameStringList' + - description: 'The names of the Regions. You can specify any Regions, whether they are enabled and disabled for your account.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether to display all Regions, including Regions that are disabled for your account.' + RegionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Region' + - xml: + name: item + DescribeReplaceRootVolumeTasksMaxResults: + type: integer + minimum: 1 + maximum: 50 + ReplaceRootVolumeTaskIds: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTaskId' + - xml: + name: ReplaceRootVolumeTaskId + DescribeReplaceRootVolumeTasksRequest: + type: object + title: DescribeReplaceRootVolumeTasksRequest + properties: + ReplaceRootVolumeTaskId: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTaskIds' + - description: The ID of the root volume replacement task to view. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ReplaceRootVolumeTasks: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReplaceRootVolumeTask' + - xml: + name: item + DescribeReservedInstancesListingsRequest: + type: object + title: DescribeReservedInstancesListingsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

One or more filters.

+ reservedInstancesId: + allOf: + - $ref: '#/components/schemas/ReservationId' + - description: One or more Reserved Instance IDs. + reservedInstancesListingId: + allOf: + - $ref: '#/components/schemas/ReservedInstancesListingId' + - description: One or more Reserved Instance listing IDs. + description: Contains the parameters for DescribeReservedInstancesListings. + ReservedInstancesModificationIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModificationId' + - xml: + name: ReservedInstancesModificationId + DescribeReservedInstancesModificationsRequest: + type: object + title: DescribeReservedInstancesModificationsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description:

One or more filters.

+ ReservedInstancesModificationId: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModificationIdStringList' + - description: IDs for the submitted modification request. + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + description: Contains the parameters for DescribeReservedInstancesModifications. + ReservedInstancesModificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModification' + - xml: + name: item + RIProductDescription: + type: string + enum: + - Linux/UNIX + - Linux/UNIX (Amazon VPC) + - Windows + - Windows (Amazon VPC) + ReservedInstancesOfferingIdStringList: + type: array + items: + $ref: '#/components/schemas/ReservedInstancesOfferingId' + OfferingTypeValues: + type: string + enum: + - Heavy Utilization + - Medium Utilization + - Light Utilization + - No Upfront + - Partial Upfront + - All Upfront + DescribeReservedInstancesOfferingsRequest: + type: object + title: DescribeReservedInstancesOfferingsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which the Reserved Instance can be used. + Filter: + allOf: + - $ref: '#/components/schemas/RIProductDescription' + - description: The Reserved Instance product platform description. Instances that include (Amazon VPC) in the description are for use with Amazon VPC. + ReservedInstancesOfferingId: + allOf: + - $ref: '#/components/schemas/ReservedInstancesOfferingIdStringList' + - description: One or more Reserved Instances offering IDs. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceTenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: '

The tenancy of the instances covered by the reservation. A Reserved Instance with a tenancy of dedicated is applied to instances that run in a VPC on single-tenant hardware (i.e., Dedicated Instances).

Important: The host value cannot be used with this parameter. Use the default or dedicated values only.

Default: default

' + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The maximum number of results to return for the request in a single page. The remaining results of the initial request can be seen by sending another request with the returned NextToken value. The maximum is 100.

Default: 100

' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + offeringType: + allOf: + - $ref: '#/components/schemas/OfferingTypeValues' + - description: 'The Reserved Instance offering type. If you are using tools that predate the 2011-11-01 API version, you only have access to the Medium Utilization Reserved Instance offering type. ' + description: Contains the parameters for DescribeReservedInstancesOfferings. + ReservedInstancesOfferingList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesOffering' + - xml: + name: item + OfferingClassType: + type: string + enum: + - standard + - convertible + ReservedInstancesIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservationId' + - xml: + name: ReservedInstancesId + DescribeReservedInstancesRequest: + type: object + title: DescribeReservedInstancesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/OfferingClassType' + - description: Describes whether the Reserved Instance is Standard or Convertible. + ReservedInstancesId: + allOf: + - $ref: '#/components/schemas/ReservedInstancesIdStringList' + - description: '

One or more Reserved Instance IDs.

Default: Describes all your Reserved Instances, or only those otherwise specified.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + offeringType: + allOf: + - $ref: '#/components/schemas/OfferingTypeValues' + - description: 'The Reserved Instance offering type. If you are using tools that predate the 2011-11-01 API version, you only have access to the Medium Utilization Reserved Instance offering type.' + description: Contains the parameters for DescribeReservedInstances. + ReservedInstancesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstances' + - xml: + name: item + DescribeRouteTablesMaxResults: + type: integer + minimum: 5 + maximum: 100 + DescribeRouteTablesRequest: + type: object + title: DescribeRouteTablesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RouteTableId: + allOf: + - $ref: '#/components/schemas/DescribeRouteTablesMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + RouteTableList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTable' + - xml: + name: item + DescribeScheduledInstanceAvailabilityMaxResults: + type: integer + minimum: 5 + maximum: 300 + ScheduledInstanceRecurrenceRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The interval quantity. The interval unit depends on the value of Frequency. For example, every 2 weeks or every 2 months.' + OccurrenceDay: + allOf: + - $ref: '#/components/schemas/String' + - description: The unit for OccurrenceDays (DayOfWeek or DayOfMonth). This value is required for a monthly schedule. You can't specify DayOfWeek with a weekly schedule. You can't specify this value with a daily schedule. + description: Describes the recurring schedule for a Scheduled Instance. + DescribeScheduledInstanceAvailabilityRequest: + type: object + required: + - FirstSlotStartTimeRange + - Recurrence + title: DescribeScheduledInstanceAvailabilityRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceRecurrenceRequest' + - description: The schedule recurrence. + description: Contains the parameters for DescribeScheduledInstanceAvailability. + ScheduledInstanceAvailabilitySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceAvailability' + - xml: + name: item + SlotStartTimeRangeRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The latest date and time, in UTC, for the Scheduled Instance to start.' + description: Describes the time period for a Scheduled Instance to start its first schedule. + DescribeScheduledInstancesRequest: + type: object + title: DescribeScheduledInstancesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + ScheduledInstanceId: + allOf: + - $ref: '#/components/schemas/SlotStartTimeRangeRequest' + - description: The time period for the first schedule to start. + description: Contains the parameters for DescribeScheduledInstances. + ScheduledInstanceSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstance' + - xml: + name: item + GroupIds: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + DescribeSecurityGroupReferencesRequest: + type: object + required: + - GroupId + title: DescribeSecurityGroupReferencesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/GroupIds' + - description: The IDs of the security groups in your account. + SecurityGroupReferences: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupReference' + - xml: + name: item + DescribeSecurityGroupRulesMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeSecurityGroupRulesRequest: + type: object + title: DescribeSecurityGroupRulesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + SecurityGroupRuleId: + allOf: + - $ref: '#/components/schemas/DescribeSecurityGroupRulesMaxResults' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another request with the returned NextToken value. This value can be between 5 and 1000. If this parameter is not specified, then all results are returned.' + DescribeSecurityGroupsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + GroupNameStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupName' + - xml: + name: GroupName + DescribeSecurityGroupsRequest: + type: object + title: DescribeSecurityGroupsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters. If using multiple filters for rules, the results include security groups for which any combination of rules - not necessarily a single rule - match all filters.

' + GroupId: + allOf: + - $ref: '#/components/schemas/GroupIdStringList' + - description: '

The IDs of the security groups. Required for security groups in a nondefault VPC.

Default: Describes all of your security groups.

' + GroupName: + allOf: + - $ref: '#/components/schemas/GroupNameStringList' + - description: '

[EC2-Classic and default VPC only] The names of the security groups. You can specify either the security group name or the security group ID. For security groups in a nondefault VPC, use the group-name filter to describe security groups by name.

Default: Describes all of your security groups.

' + dryRun: + allOf: + - $ref: '#/components/schemas/DescribeSecurityGroupsMaxResults' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another request with the returned NextToken value. This value can be between 5 and 1000. If this parameter is not specified, then all results are returned.' + SecurityGroupList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroup' + - xml: + name: item + DescribeSnapshotAttributeRequest: + type: object + required: + - Attribute + - SnapshotId + title: DescribeSnapshotAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the EBS snapshot. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ProductCodeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ProductCode' + - xml: + name: item + DescribeSnapshotTierStatusMaxResults: + type: integer + DescribeSnapshotTierStatusRequest: + type: object + title: DescribeSnapshotTierStatusRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/DescribeSnapshotTierStatusMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + snapshotTierStatusSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotTierStatus' + - xml: + name: item + RestorableByStringList: + type: array + items: + $ref: '#/components/schemas/String' + SnapshotIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - xml: + name: SnapshotId + DescribeSnapshotsRequest: + type: object + title: DescribeSnapshotsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The NextToken value returned from a previous paginated DescribeSnapshots request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + Owner: + allOf: + - $ref: '#/components/schemas/OwnerStringList' + - description: 'Scopes the results to snapshots with the specified owners. You can specify a combination of Amazon Web Services account IDs, self, and amazon.' + RestorableBy: + allOf: + - $ref: '#/components/schemas/RestorableByStringList' + - description: The IDs of the Amazon Web Services accounts that can create volumes from the snapshot. + SnapshotId: + allOf: + - $ref: '#/components/schemas/SnapshotIdStringList' + - description: '

The snapshot IDs.

Default: Describes the snapshots for which you have create volume permissions.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SnapshotList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Snapshot' + - xml: + name: item + DescribeSpotDatafeedSubscriptionRequest: + type: object + title: DescribeSpotDatafeedSubscriptionRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DescribeSpotDatafeedSubscription. + DescribeSpotFleetInstancesMaxResults: + type: integer + minimum: 1 + maximum: 1000 + DescribeSpotFleetInstancesRequest: + type: object + required: + - SpotFleetRequestId + title: DescribeSpotFleetInstancesRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + maxResults: + allOf: + - $ref: '#/components/schemas/DescribeSpotFleetInstancesMaxResults' + - description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestId' + - description: The ID of the Spot Fleet request. + description: Contains the parameters for DescribeSpotFleetInstances. + DescribeSpotFleetRequestHistoryMaxResults: + type: integer + minimum: 1 + maximum: 1000 + EventType: + type: string + enum: + - instanceChange + - fleetRequestChange + - error + - information + DescribeSpotFleetRequestHistoryRequest: + type: object + required: + - SpotFleetRequestId + - StartTime + title: DescribeSpotFleetRequestHistoryRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + eventType: + allOf: + - $ref: '#/components/schemas/EventType' + - description: 'The type of events to describe. By default, all events are described.' + maxResults: + allOf: + - $ref: '#/components/schemas/DescribeSpotFleetRequestHistoryMaxResults' + - description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestId' + - description: The ID of the Spot Fleet request. + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The starting date and time for the events, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Contains the parameters for DescribeSpotFleetRequestHistory. + HistoryRecords: + type: array + items: + allOf: + - $ref: '#/components/schemas/HistoryRecord' + - xml: + name: item + DescribeSpotFleetRequestsRequest: + type: object + title: DescribeSpotFleetRequestsRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestIdList' + - description: The IDs of the Spot Fleet requests. + description: Contains the parameters for DescribeSpotFleetRequests. + SpotFleetRequestConfigSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestConfig' + - xml: + name: item + DescribeSpotInstanceRequestsRequest: + type: object + title: DescribeSpotInstanceRequestsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SpotInstanceRequestId: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of results to return in a single call. Specify a value between 5 and 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + description: Contains the parameters for DescribeSpotInstanceRequests. + SpotInstanceRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotInstanceRequest' + - xml: + name: item + InstanceTypeList: + type: array + items: + $ref: '#/components/schemas/InstanceType' + ProductDescriptionList: + type: array + items: + $ref: '#/components/schemas/String' + DescribeSpotPriceHistoryRequest: + type: object + title: DescribeSpotPriceHistoryRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: Filters the results by the specified Availability Zone. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + endTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time, up to the current date, from which to stop retrieving the price history data, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + InstanceType: + allOf: + - $ref: '#/components/schemas/InstanceTypeList' + - description: Filters the results by the specified instance types. + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of results to return in a single call. Specify a value between 1 and 1000. The default value is 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + ProductDescription: + allOf: + - $ref: '#/components/schemas/ProductDescriptionList' + - description: Filters the results by the specified basic product descriptions. + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time, up to the past 90 days, from which to start retrieving the price history data, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Contains the parameters for DescribeSpotPriceHistory. + SpotPriceHistoryList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotPrice' + - xml: + name: item + DescribeStaleSecurityGroupsMaxResults: + type: integer + minimum: 5 + maximum: 255 + DescribeStaleSecurityGroupsNextToken: + type: string + minLength: 1 + maxLength: 1024 + DescribeStaleSecurityGroupsRequest: + type: object + required: + - VpcId + title: DescribeStaleSecurityGroupsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + StaleSecurityGroupSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/StaleSecurityGroup' + - xml: + name: item + DescribeStoreImageTasksRequestMaxResults: + type: integer + minimum: 1 + maximum: 200 + DescribeStoreImageTasksRequest: + type: object + title: DescribeStoreImageTasksRequest + properties: + ImageId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/DescribeStoreImageTasksRequestMaxResults' + - description: 'The maximum number of results to return in a single call. To retrieve the remaining results, make another call with the returned NextToken value. This value can be between 1 and 200. You cannot specify this parameter and the ImageIDs parameter in the same call.' + StoreImageTaskResultSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/StoreImageTaskResult' + - xml: + name: item + DescribeSubnetsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + SubnetIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: SubnetId + DescribeSubnetsRequest: + type: object + title: DescribeSubnetsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + SubnetId: + allOf: + - $ref: '#/components/schemas/SubnetIdStringList' + - description: '

One or more subnet IDs.

Default: Describes all your subnets.

' + dryRun: + allOf: + - $ref: '#/components/schemas/DescribeSubnetsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + SubnetList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Subnet' + - xml: + name: item + DescribeTagsRequest: + type: object + title: DescribeTagsRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of results to return in a single call. This value can be between 5 and 1000. To retrieve the remaining results, make another call with the returned NextToken value.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + TagDescriptionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TagDescription' + - xml: + name: item + DescribeTrafficMirrorFiltersRequest: + type: object + title: DescribeTrafficMirrorFiltersRequest + properties: + TrafficMirrorFilterId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + TrafficMirrorFilterSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilter' + - xml: + name: item + DescribeTrafficMirrorSessionsRequest: + type: object + title: DescribeTrafficMirrorSessionsRequest + properties: + TrafficMirrorSessionId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + TrafficMirrorSessionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorSession' + - xml: + name: item + DescribeTrafficMirrorTargetsRequest: + type: object + title: DescribeTrafficMirrorTargetsRequest + properties: + TrafficMirrorTargetId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + TrafficMirrorTargetSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorTarget' + - xml: + name: item + TransitGatewayAttachmentIdStringList: + type: array + items: + $ref: '#/components/schemas/TransitGatewayAttachmentId' + DescribeTransitGatewayAttachmentsRequest: + type: object + title: DescribeTransitGatewayAttachmentsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentIdStringList' + - description: The IDs of the attachments. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayAttachmentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachment' + - xml: + name: item + TransitGatewayConnectPeerIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerId' + - xml: + name: item + DescribeTransitGatewayConnectPeersRequest: + type: object + title: DescribeTransitGatewayConnectPeersRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeerIdStringList' + - description: The IDs of the Connect peers. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayConnectPeerList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnectPeer' + - xml: + name: item + DescribeTransitGatewayConnectsRequest: + type: object + title: DescribeTransitGatewayConnectsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentIdStringList' + - description: The IDs of the attachments. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayConnectList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayConnect' + - xml: + name: item + TransitGatewayMulticastDomainIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainId' + - xml: + name: item + DescribeTransitGatewayMulticastDomainsRequest: + type: object + title: DescribeTransitGatewayMulticastDomainsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainIdStringList' + - description: The ID of the transit gateway multicast domain. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastDomainList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomain' + - xml: + name: item + DescribeTransitGatewayPeeringAttachmentsRequest: + type: object + title: DescribeTransitGatewayPeeringAttachmentsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentIdStringList' + - description: One or more IDs of the transit gateway peering attachments. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayPeeringAttachmentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayPeeringAttachment' + - xml: + name: item + TransitGatewayRouteTableIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - xml: + name: item + DescribeTransitGatewayRouteTablesRequest: + type: object + title: DescribeTransitGatewayRouteTablesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableIdStringList' + - description: The IDs of the transit gateway route tables. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayRouteTableList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTable' + - xml: + name: item + DescribeTransitGatewayVpcAttachmentsRequest: + type: object + title: DescribeTransitGatewayVpcAttachmentsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentIdStringList' + - description: The IDs of the attachments. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayVpcAttachmentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayVpcAttachment' + - xml: + name: item + TransitGatewayIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayId' + - xml: + name: item + DescribeTransitGatewaysRequest: + type: object + title: DescribeTransitGatewaysRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayIdStringList' + - description: The IDs of the transit gateways. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGateway' + - xml: + name: item + DescribeTrunkInterfaceAssociationsMaxResults: + type: integer + minimum: 5 + maximum: 255 + DescribeTrunkInterfaceAssociationsRequest: + type: object + title: DescribeTrunkInterfaceAssociationsRequest + properties: + AssociationId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/DescribeTrunkInterfaceAssociationsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + TrunkInterfaceAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrunkInterfaceAssociation' + - xml: + name: item + DescribeVolumeAttributeRequest: + type: object + required: + - Attribute + - VolumeId + title: DescribeVolumeAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the volume. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VolumeIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeId' + - xml: + name: VolumeId + DescribeVolumeStatusRequest: + type: object + title: DescribeVolumeStatusRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The NextToken value to include in a future DescribeVolumeStatus request. When the results of the request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return.' + VolumeId: + allOf: + - $ref: '#/components/schemas/VolumeIdStringList' + - description: '

The IDs of the volumes.

Default: Describes all your volumes.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VolumeStatusList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeStatusItem' + - xml: + name: item + DescribeVolumesModificationsRequest: + type: object + title: DescribeVolumesModificationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VolumeId: + allOf: + - $ref: '#/components/schemas/VolumeIdStringList' + - description: The IDs of the volumes. + Filter: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum number of results (up to a limit of 500) to be returned in a paginated request. + VolumeModificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeModification' + - xml: + name: item + DescribeVolumesRequest: + type: object + title: DescribeVolumesRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

The filters.

' + VolumeId: + allOf: + - $ref: '#/components/schemas/VolumeIdStringList' + - description: The volume IDs. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + maxResults: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of volume results returned by DescribeVolumes in paginated output. When this parameter is used, DescribeVolumes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeVolumes request with the returned NextToken value. This value can be between 5 and 500; if MaxResults is given a value larger than 500, only 500 results are returned. If this parameter is not used, then DescribeVolumes returns all results. You cannot specify this parameter and the volume IDs parameter in the same request.' + nextToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The NextToken value returned from a previous paginated DescribeVolumes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + VolumeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Volume' + - xml: + name: item + DescribeVpcAttributeRequest: + type: object + required: + - Attribute + - VpcId + title: DescribeVpcAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DescribeVpcClassicLinkDnsSupportMaxResults: + type: integer + minimum: 5 + maximum: 255 + DescribeVpcClassicLinkDnsSupportNextToken: + type: string + minLength: 1 + maxLength: 1024 + VpcClassicLinkIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcId' + - xml: + name: VpcId + DescribeVpcClassicLinkDnsSupportRequest: + type: object + title: DescribeVpcClassicLinkDnsSupportRequest + properties: + maxResults: + allOf: + - $ref: '#/components/schemas/DescribeVpcClassicLinkDnsSupportMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + nextToken: + allOf: + - $ref: '#/components/schemas/VpcClassicLinkIdList' + - description: One or more VPC IDs. + DescribeVpcClassicLinkRequest: + type: object + title: DescribeVpcClassicLinkRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpcId: + allOf: + - $ref: '#/components/schemas/VpcClassicLinkIdList' + - description: One or more VPCs for which you want to describe the ClassicLink status. + VpcClassicLinkList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcClassicLink' + - xml: + name: item + DescribeVpcEndpointConnectionNotificationsRequest: + type: object + title: DescribeVpcEndpointConnectionNotificationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ConnectionNotificationId' + - description: The ID of the notification. + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to request the next page of results. + DescribeVpcEndpointConnectionsRequest: + type: object + title: DescribeVpcEndpointConnectionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + VpcEndpointConnectionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpointConnection' + - xml: + name: item + DescribeVpcEndpointServiceConfigurationsRequest: + type: object + title: DescribeVpcEndpointServiceConfigurationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ServiceId: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceIdList' + - description: The IDs of one or more services. + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + ServiceConfigurationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ServiceConfiguration' + - xml: + name: item + DescribeVpcEndpointServicePermissionsRequest: + type: object + required: + - ServiceId + title: DescribeVpcEndpointServicePermissionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - description: The ID of the service. + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token to retrieve the next page of results. + DescribeVpcEndpointServicesRequest: + type: object + title: DescribeVpcEndpointServicesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ServiceName: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: One or more service names. + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of items to return. (You received this token from a prior call.) + description: Contains the parameters for DescribeVpcEndpointServices. + ServiceDetailSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ServiceDetail' + - xml: + name: item + DescribeVpcEndpointsRequest: + type: object + title: DescribeVpcEndpointsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpcEndpointId: + allOf: + - $ref: '#/components/schemas/VpcEndpointIdList' + - description: One or more endpoint IDs. + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of items to return. (You received this token from a prior call.) + description: Contains the parameters for DescribeVpcEndpoints. + VpcEndpointSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcEndpoint' + - xml: + name: item + DescribeVpcPeeringConnectionsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + DescribeVpcPeeringConnectionsRequest: + type: object + title: DescribeVpcPeeringConnectionsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/DescribeVpcPeeringConnectionsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + VpcPeeringConnectionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnection' + - xml: + name: item + DescribeVpcsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + VpcIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpcId' + - xml: + name: VpcId + DescribeVpcsRequest: + type: object + title: DescribeVpcsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + VpcId: + allOf: + - $ref: '#/components/schemas/VpcIdStringList' + - description: '

One or more VPC IDs.

Default: Describes all your VPCs.

' + dryRun: + allOf: + - $ref: '#/components/schemas/DescribeVpcsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + VpcList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Vpc' + - xml: + name: item + VpnConnectionIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnConnectionId' + - xml: + name: VpnConnectionId + DescribeVpnConnectionsRequest: + type: object + title: DescribeVpnConnectionsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + VpnConnectionId: + allOf: + - $ref: '#/components/schemas/VpnConnectionIdStringList' + - description: '

One or more VPN connection IDs.

Default: Describes your VPN connections.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DescribeVpnConnections. + VpnConnectionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnConnection' + - xml: + name: item + VpnGatewayIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnGatewayId' + - xml: + name: VpnGatewayId + DescribeVpnGatewaysRequest: + type: object + title: DescribeVpnGatewaysRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/FilterList' + - description: '

One or more filters.

' + VpnGatewayId: + allOf: + - $ref: '#/components/schemas/VpnGatewayIdStringList' + - description: '

One or more virtual private gateway IDs.

Default: Describes all your virtual private gateways.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DescribeVpnGateways. + VpnGatewayList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnGateway' + - xml: + name: item + DestinationFileFormat: + type: string + enum: + - plain-text + - parquet + DestinationOptionsResponse: + type: object + properties: + fileFormat: + allOf: + - $ref: '#/components/schemas/DestinationFileFormat' + - description: The format for the flow log. + hiveCompatiblePartitions: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to use Hive-compatible prefixes for flow logs stored in Amazon S3. + perHourPartition: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to partition the flow log per hour. + description: Describes the destination options for a flow log. + DetachClassicLinkVpcRequest: + type: object + required: + - InstanceId + - VpcId + title: DetachClassicLinkVpcRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance to unlink from the VPC. + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC to which the instance is linked. + DetachInternetGatewayRequest: + type: object + required: + - InternetGatewayId + - VpcId + title: DetachInternetGatewayRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + internetGatewayId: + allOf: + - $ref: '#/components/schemas/InternetGatewayId' + - description: The ID of the internet gateway. + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + DetachNetworkInterfaceRequest: + type: object + required: + - AttachmentId + title: DetachNetworkInterfaceRequest + properties: + attachmentId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttachmentId' + - description: The ID of the attachment. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + force: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Specifies whether to force a detachment.

' + description: Contains the parameters for DetachNetworkInterface. + DetachVolumeRequest: + type: object + required: + - VolumeId + title: DetachVolumeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the volume. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DetachVpnGatewayRequest: + type: object + required: + - VpcId + - VpnGatewayId + title: DetachVpnGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpnGatewayId' + - description: The ID of the virtual private gateway. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DetachVpnGateway. + DeviceType: + type: string + enum: + - ebs + - instance-store + DhcpConfigurationValueList: + type: array + items: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - xml: + name: item + DhcpConfiguration: + type: object + properties: + key: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of a DHCP option. + valueSet: + allOf: + - $ref: '#/components/schemas/DhcpConfigurationValueList' + - description: One or more values for the DHCP option. + description: Describes a DHCP configuration option. + DhcpConfigurationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/DhcpConfiguration' + - xml: + name: item + DirectoryServiceAuthenticationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Active Directory to be used for authentication. + description: Describes the Active Directory to be used for client authentication. + DisableEbsEncryptionByDefaultRequest: + type: object + title: DisableEbsEncryptionByDefaultRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisableFastLaunchRequest: + type: object + required: + - ImageId + title: DisableFastLaunchRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisableFastSnapshotRestoreStateErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreStateErrorItem' + - xml: + name: item + DisableFastSnapshotRestoreErrorItem: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + fastSnapshotRestoreStateErrorSet: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreStateErrorSet' + - description: The errors. + description: Contains information about the errors that occurred when disabling fast snapshot restores. + DisableFastSnapshotRestoreErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreErrorItem' + - xml: + name: item + DisableFastSnapshotRestoreStateError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The error message. + description: Describes an error that occurred when disabling fast snapshot restores. + DisableFastSnapshotRestoreStateErrorItem: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + error: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreStateError' + - description: The error. + description: Contains information about an error that occurred when disabling fast snapshot restores. + DisableFastSnapshotRestoreSuccessItem: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + state: + allOf: + - $ref: '#/components/schemas/FastSnapshotRestoreStateCode' + - description: The state of fast snapshot restores for the snapshot. + stateTransitionReason: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The reason for the state transition. The possible values are as follows:

' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that enabled fast snapshot restores on the snapshot. + ownerAlias: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services owner alias that enabled fast snapshot restores on the snapshot. This is intended for future use. + enablingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the enabling state. + optimizingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the optimizing state. + enabledTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the enabled state. + disablingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the disabling state. + disabledTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the disabled state. + description: Describes fast snapshot restores that were successfully disabled. + DisableFastSnapshotRestoreSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DisableFastSnapshotRestoreSuccessItem' + - xml: + name: item + DisableFastSnapshotRestoresRequest: + type: object + required: + - AvailabilityZones + - SourceSnapshotIds + title: DisableFastSnapshotRestoresRequest + properties: + AvailabilityZone: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneStringList' + - description: 'One or more Availability Zones. For example, us-east-2a.' + SourceSnapshotId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisableImageDeprecationRequest: + type: object + required: + - ImageId + title: DisableImageDeprecationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisableIpamOrganizationAdminAccountRequest: + type: object + required: + - DelegatedAdminAccountId + title: DisableIpamOrganizationAdminAccountRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Organizations member account ID that you want to disable as IPAM account. + DisableSerialConsoleAccessRequest: + type: object + title: DisableSerialConsoleAccessRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisableTransitGatewayRouteTablePropagationRequest: + type: object + required: + - TransitGatewayRouteTableId + - TransitGatewayAttachmentId + title: DisableTransitGatewayRouteTablePropagationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayPropagation: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: The resource type. Note that the tgw-peering resource type has been deprecated. + transitGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway route table. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayPropagationState' + - description: The state. + description: Describes route propagation. + DisableVgwRoutePropagationRequest: + type: object + required: + - GatewayId + - RouteTableId + title: DisableVgwRoutePropagationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for DisableVgwRoutePropagation. + DisableVpcClassicLinkDnsSupportRequest: + type: object + title: DisableVpcClassicLinkDnsSupportRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + DisableVpcClassicLinkRequest: + type: object + required: + - VpcId + title: DisableVpcClassicLinkRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + DisassociateAddressRequest: + type: object + title: DisassociateAddressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-Classic] The Elastic IP address. Required for EC2-Classic.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisassociateClientVpnTargetNetworkRequest: + type: object + required: + - ClientVpnEndpointId + - AssociationId + title: DisassociateClientVpnTargetNetworkRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisassociateEnclaveCertificateIamRoleRequest: + type: object + title: DisassociateEnclaveCertificateIamRoleRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisassociateIamInstanceProfileRequest: + type: object + required: + - AssociationId + title: DisassociateIamInstanceProfileRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociationId' + - description: The ID of the IAM instance profile association. + InstanceEventWindowDisassociationRequest: + type: object + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdList' + - description: The IDs of the instances to disassociate from the event window. + InstanceTag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The instance tags to disassociate from the event window. Any instances associated with the tags will be disassociated from the event window. + DedicatedHostId: + allOf: + - $ref: '#/components/schemas/DedicatedHostIdList' + - description: The IDs of the Dedicated Hosts to disassociate from the event window. + description: The targets to disassociate from the specified event window. + DisassociateInstanceEventWindowRequest: + type: object + required: + - InstanceEventWindowId + - AssociationTarget + title: DisassociateInstanceEventWindowRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowDisassociationRequest' + - description: One or more targets to disassociate from the specified event window. + RouteTableAssociationId: + type: string + DisassociateRouteTableRequest: + type: object + required: + - AssociationId + title: DisassociateRouteTableRequest + properties: + associationId: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationId' + - description: The association ID representing the current association between the route table and subnet or gateway. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SubnetCidrAssociationId: + type: string + DisassociateSubnetCidrBlockRequest: + type: object + required: + - AssociationId + title: DisassociateSubnetCidrBlockRequest + properties: + associationId: + allOf: + - $ref: '#/components/schemas/SubnetCidrAssociationId' + - description: The association ID for the CIDR block. + DisassociateTransitGatewayMulticastDomainRequest: + type: object + title: DisassociateTransitGatewayMulticastDomainRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisassociateTransitGatewayRouteTableRequest: + type: object + required: + - TransitGatewayRouteTableId + - TransitGatewayAttachmentId + title: DisassociateTransitGatewayRouteTableRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + DisassociateTrunkInterfaceRequest: + type: object + required: + - AssociationId + title: DisassociateTrunkInterfaceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpcCidrAssociationId: + type: string + DisassociateVpcCidrBlockRequest: + type: object + required: + - AssociationId + title: DisassociateVpcCidrBlockRequest + properties: + associationId: + allOf: + - $ref: '#/components/schemas/VpcCidrAssociationId' + - description: The association ID for the CIDR block. + DiskCount: + type: integer + VolumeDetail: + type: object + required: + - Size + properties: + size: + type: integer + description: 'The size of the volume, in GiB.' + description: Describes an EBS volume. + DiskImageDescription: + type: object + properties: + checksum: + allOf: + - $ref: '#/components/schemas/String' + - description: The checksum computed for the disk image. + format: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The disk image format. + importManifestUrl: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A presigned URL for the import manifest stored in Amazon S3. For information about creating a presigned URL for an Amazon S3 object, read the "Query String Request Authentication Alternative" section of the Authenticating REST Requests topic in the Amazon Simple Storage Service Developer Guide.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + size: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The size of the disk image, in GiB.' + description: Describes a disk image. + DiskImageDetail: + type: object + required: + - Bytes + - Format + - ImportManifestUrl + properties: + bytes: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The size of the disk image, in GiB.' + format: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The disk image format. + importManifestUrl: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A presigned URL for the import manifest stored in Amazon S3 and presented here as an Amazon S3 presigned URL. For information about creating a presigned URL for an Amazon S3 object, read the "Query String Request Authentication Alternative" section of the Authenticating REST Requests topic in the Amazon Simple Storage Service Developer Guide.

For information about the import manifest referenced by this API action, see VM Import Manifest.

' + description: Describes a disk image. + DiskImageList: + type: array + items: + $ref: '#/components/schemas/DiskImage' + DiskImageVolumeDescription: + type: object + properties: + id: + allOf: + - $ref: '#/components/schemas/String' + - description: The volume identifier. + size: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The size of the volume, in GiB.' + description: Describes a disk image volume. + DiskSize: + type: integer + DiskType: + type: string + enum: + - hdd + - ssd + DiskInfo: + type: object + properties: + sizeInGB: + allOf: + - $ref: '#/components/schemas/DiskSize' + - description: The size of the disk in GB. + count: + allOf: + - $ref: '#/components/schemas/DiskCount' + - description: The number of disks with this configuration. + type: + allOf: + - $ref: '#/components/schemas/DiskType' + - description: The type of disk. + description: Describes a disk. + DiskInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/DiskInfo' + - xml: + name: item + DnsEntry: + type: object + properties: + dnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The DNS name. + hostedZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the private hosted zone. + description: Describes a DNS entry. + DnsEntrySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DnsEntry' + - xml: + name: item + DnsNameState: + type: string + enum: + - pendingVerification + - verified + - failed + DnsOptions: + type: object + properties: + dnsRecordIpType: + allOf: + - $ref: '#/components/schemas/DnsRecordIpType' + - description: The DNS records created for the endpoint. + description: Describes the DNS options for an endpoint. + DnsOptionsSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DnsRecordIpType' + - description: The DNS records created for the endpoint. + description: Describes the DNS options for an endpoint. + DnsServersOptionsModifyStructure: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether DNS servers should be used. Specify False to delete the existing DNS servers. + description: Information about the DNS server to be used. + DnsSupportValue: + type: string + enum: + - enable + - disable + DoubleWithConstraints: + type: number + format: double + minimum: 0.001 + maximum: 99.999 + EbsEncryptionSupport: + type: string + enum: + - unsupported + - supported + EbsOptimizedSupport: + type: string + enum: + - unsupported + - supported + - default + EbsOptimizedInfo: + type: object + properties: + baselineBandwidthInMbps: + allOf: + - $ref: '#/components/schemas/BaselineBandwidthInMbps' + - description: 'The baseline bandwidth performance for an EBS-optimized instance type, in Mbps.' + baselineThroughputInMBps: + allOf: + - $ref: '#/components/schemas/BaselineThroughputInMBps' + - description: 'The baseline throughput performance for an EBS-optimized instance type, in MB/s.' + baselineIops: + allOf: + - $ref: '#/components/schemas/BaselineIops' + - description: The baseline input/output storage operations per seconds for an EBS-optimized instance type. + maximumBandwidthInMbps: + allOf: + - $ref: '#/components/schemas/MaximumBandwidthInMbps' + - description: 'The maximum bandwidth performance for an EBS-optimized instance type, in Mbps.' + maximumThroughputInMBps: + allOf: + - $ref: '#/components/schemas/MaximumThroughputInMBps' + - description: 'The maximum throughput performance for an EBS-optimized instance type, in MB/s.' + maximumIops: + allOf: + - $ref: '#/components/schemas/MaximumIops' + - description: The maximum input/output storage operations per second for an EBS-optimized instance type. + description: Describes the optimized EBS performance for supported instance types. + EbsNvmeSupport: + type: string + enum: + - unsupported + - supported + - required + EbsInfo: + type: object + properties: + ebsOptimizedSupport: + allOf: + - $ref: '#/components/schemas/EbsOptimizedSupport' + - description: 'Indicates whether the instance type is Amazon EBS-optimized. For more information, see Amazon EBS-optimized instances in Amazon EC2 User Guide.' + encryptionSupport: + allOf: + - $ref: '#/components/schemas/EbsEncryptionSupport' + - description: Indicates whether Amazon EBS encryption is supported. + ebsOptimizedInfo: + allOf: + - $ref: '#/components/schemas/EbsOptimizedInfo' + - description: Describes the optimized EBS performance for the instance type. + nvmeSupport: + allOf: + - $ref: '#/components/schemas/EbsNvmeSupport' + - description: Indicates whether non-volatile memory express (NVMe) is supported. + description: Describes the Amazon EBS features supported by the instance type. + EbsInstanceBlockDevice: + type: object + properties: + attachTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time stamp when the attachment initiated. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the volume is deleted on instance termination. + status: + allOf: + - $ref: '#/components/schemas/AttachmentStatus' + - description: The attachment state. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the EBS volume. + description: Describes a parameter used to set up an EBS volume in a block device mapping. + EbsInstanceBlockDeviceSpecification: + type: object + properties: + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the volume is deleted on instance termination. + volumeId: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the EBS volume. + description: Describes information used to set up an EBS volume specified in a block device mapping. + MaximumBandwidthInMbps: + type: integer + MaximumThroughputInMBps: + type: number + format: double + MaximumIops: + type: integer + MaximumEfaInterfaces: + type: integer + EfaInfo: + type: object + properties: + maximumEfaInterfaces: + allOf: + - $ref: '#/components/schemas/MaximumEfaInterfaces' + - description: The maximum number of Elastic Fabric Adapters for the instance type. + description: Describes the Elastic Fabric Adapters for the instance type. + EfaSupportedFlag: + type: boolean + InternetGatewayAttachmentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InternetGatewayAttachment' + - xml: + name: item + EgressOnlyInternetGatewayIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayId' + - xml: + name: item + ElasticGpuAssociation: + type: object + properties: + elasticGpuId: + allOf: + - $ref: '#/components/schemas/ElasticGpuId' + - description: The ID of the Elastic Graphics accelerator. + elasticGpuAssociationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the association. + elasticGpuAssociationState: + allOf: + - $ref: '#/components/schemas/String' + - description: The state of the association between the instance and the Elastic Graphics accelerator. + elasticGpuAssociationTime: + allOf: + - $ref: '#/components/schemas/String' + - description: The time the Elastic Graphics accelerator was associated with the instance. + description: Describes the association between an instance and an Elastic Graphics accelerator. + ElasticGpuAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuAssociation' + - xml: + name: item + ElasticGpuStatus: + type: string + enum: + - OK + - IMPAIRED + ElasticGpuHealth: + type: object + properties: + status: + allOf: + - $ref: '#/components/schemas/ElasticGpuStatus' + - description: The health status. + description: Describes the status of an Elastic Graphics accelerator. + ElasticGpuIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuId' + - xml: + name: item + ElasticGpus: + type: object + properties: + elasticGpuId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Elastic Graphics accelerator. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in the which the Elastic Graphics accelerator resides. + elasticGpuType: + allOf: + - $ref: '#/components/schemas/String' + - description: The type of Elastic Graphics accelerator. + elasticGpuHealth: + allOf: + - $ref: '#/components/schemas/ElasticGpuHealth' + - description: The status of the Elastic Graphics accelerator. + elasticGpuState: + allOf: + - $ref: '#/components/schemas/ElasticGpuState' + - description: The state of the Elastic Graphics accelerator. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance to which the Elastic Graphics accelerator is attached. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the Elastic Graphics accelerator. + description: Describes an Elastic Graphics accelerator. + ElasticGpuSpecificationResponse: + type: object + properties: + type: + allOf: + - $ref: '#/components/schemas/String' + - description: The elastic GPU type. + description: Describes an elastic GPU. + ElasticGpuSpecificationResponseList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecificationResponse' + - xml: + name: item + ElasticGpuSpecifications: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecification' + - xml: + name: item + ElasticGpuState: + type: string + enum: + - ATTACHED + ElasticInferenceAcceleratorCount: + type: integer + minimum: 1 + ElasticInferenceAcceleratorAssociation: + type: object + properties: + elasticInferenceAcceleratorArn: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The Amazon Resource Name (ARN) of the elastic inference accelerator. ' + elasticInferenceAcceleratorAssociationId: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The ID of the association. ' + elasticInferenceAcceleratorAssociationState: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The state of the elastic inference accelerator. ' + elasticInferenceAcceleratorAssociationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: ' The time at which the elastic inference accelerator is associated with an instance. ' + description: ' Describes the association between an instance and an elastic inference accelerator. ' + ElasticInferenceAcceleratorAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticInferenceAcceleratorAssociation' + - xml: + name: item + ElasticInferenceAccelerators: + type: array + items: + allOf: + - $ref: '#/components/schemas/ElasticInferenceAccelerator' + - xml: + name: item + ElasticIpAssociationId: + type: string + EnaSupport: + type: string + enum: + - unsupported + - supported + - required + EnableEbsEncryptionByDefaultRequest: + type: object + title: EnableEbsEncryptionByDefaultRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EnableFastLaunchRequest: + type: object + required: + - ImageId + title: EnableFastLaunchRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EnableFastSnapshotRestoreStateErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreStateErrorItem' + - xml: + name: item + EnableFastSnapshotRestoreErrorItem: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + fastSnapshotRestoreStateErrorSet: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreStateErrorSet' + - description: The errors. + description: Contains information about the errors that occurred when enabling fast snapshot restores. + EnableFastSnapshotRestoreErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreErrorItem' + - xml: + name: item + EnableFastSnapshotRestoreStateError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The error message. + description: Describes an error that occurred when enabling fast snapshot restores. + EnableFastSnapshotRestoreStateErrorItem: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + error: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreStateError' + - description: The error. + description: Contains information about an error that occurred when enabling fast snapshot restores. + EnableFastSnapshotRestoreSuccessItem: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + state: + allOf: + - $ref: '#/components/schemas/FastSnapshotRestoreStateCode' + - description: The state of fast snapshot restores. + stateTransitionReason: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The reason for the state transition. The possible values are as follows:

' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that enabled fast snapshot restores on the snapshot. + ownerAlias: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services owner alias that enabled fast snapshot restores on the snapshot. This is intended for future use. + enablingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the enabling state. + optimizingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the optimizing state. + enabledTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the enabled state. + disablingTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the disabling state. + disabledTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time at which fast snapshot restores entered the disabled state. + description: Describes fast snapshot restores that were successfully enabled. + EnableFastSnapshotRestoreSuccessSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/EnableFastSnapshotRestoreSuccessItem' + - xml: + name: item + EnableFastSnapshotRestoresRequest: + type: object + required: + - AvailabilityZones + - SourceSnapshotIds + title: EnableFastSnapshotRestoresRequest + properties: + AvailabilityZone: + allOf: + - $ref: '#/components/schemas/AvailabilityZoneStringList' + - description: 'One or more Availability Zones. For example, us-east-2a.' + SourceSnapshotId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EnableImageDeprecationRequest: + type: object + required: + - ImageId + - DeprecateAt + title: EnableImageDeprecationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EnableIpamOrganizationAdminAccountRequest: + type: object + required: + - DelegatedAdminAccountId + title: EnableIpamOrganizationAdminAccountRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Organizations member account ID that you want to enable as the IPAM account. + EnableSerialConsoleAccessRequest: + type: object + title: EnableSerialConsoleAccessRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EnableTransitGatewayRouteTablePropagationRequest: + type: object + required: + - TransitGatewayRouteTableId + - TransitGatewayAttachmentId + title: EnableTransitGatewayRouteTablePropagationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + EnableVgwRoutePropagationRequest: + type: object + required: + - GatewayId + - RouteTableId + title: EnableVgwRoutePropagationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for EnableVgwRoutePropagation. + EnableVolumeIORequest: + type: object + required: + - VolumeId + title: EnableVolumeIORequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + volumeId: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the volume. + EnableVpcClassicLinkDnsSupportRequest: + type: object + title: EnableVpcClassicLinkDnsSupportRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + EnableVpcClassicLinkRequest: + type: object + required: + - VpcId + title: EnableVpcClassicLinkRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + EnclaveOptions: + type: object + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If this parameter is set to true, the instance is enabled for Amazon Web Services Nitro Enclaves; otherwise, it is not enabled for Amazon Web Services Nitro Enclaves.' + description: Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. + EnclaveOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'To enable the instance for Amazon Web Services Nitro Enclaves, set this parameter to true.' + description: 'Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. For more information, see What is Amazon Web Services Nitro Enclaves? in the Amazon Web Services Nitro Enclaves User Guide.' + EncryptionInTransitSupported: + type: boolean + EphemeralNvmeSupport: + type: string + enum: + - unsupported + - supported + - required + ValidationError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error code that indicates why the parameter or parameter combination is not valid. For more information about error codes, see Error Codes.' + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The error message that describes why the parameter or parameter combination is not valid. For more information about error messages, see Error Codes.' + description: The error code and error message that is returned for a parameter or parameter combination that is not valid when a new launch template or new version of a launch template is created. + ErrorSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ValidationError' + - xml: + name: item + EventCode: + type: string + enum: + - instance-reboot + - system-reboot + - system-maintenance + - instance-retirement + - instance-stop + EventInformation: + type: object + properties: + eventDescription: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the event. + eventSubType: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The event.

error events:

fleetRequestChange events:

instanceChange events:

Information events:

' + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. This information is available only for instanceChange events. + description: Describes an EC2 Fleet or Spot Fleet event. + ExcludedInstanceType: + type: string + pattern: '[a-zA-Z0-9\.\*]+' + minLength: 1 + maxLength: 30 + StringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + TransitGatewayRouteTableRoute: + type: object + properties: + destinationCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block used for destination matches. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The state of the route. + routeOrigin: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The route origin. The following are the possible values:

' + prefixListId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the prefix list. + attachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the route attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource for the route attachment. + resourceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The resource type for the route attachment. + description: Describes a route in a transit gateway route table. + Explanation: + type: object + properties: + acl: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The network ACL. + aclRule: + allOf: + - $ref: '#/components/schemas/AnalysisAclRule' + - description: The network ACL rule. + address: + allOf: + - $ref: '#/components/schemas/IpAddress' + - description: 'The IPv4 address, in CIDR notation.' + addressSet: + allOf: + - $ref: '#/components/schemas/IpAddressList' + - description: 'The IPv4 addresses, in CIDR notation.' + attachedTo: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The resource to which the component is attached. + availabilityZoneSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Availability Zones. + cidrSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The CIDR ranges. + component: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The component. + customerGateway: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The customer gateway. + destination: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The destination. + destinationVpc: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The destination VPC. + direction: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The direction. The following are the possible values:

' + explanationCode: + allOf: + - $ref: '#/components/schemas/String' + - description: The explanation code. + ingressRouteTable: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The route table. + internetGateway: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The internet gateway. + loadBalancerArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the load balancer. + classicLoadBalancerListener: + allOf: + - $ref: '#/components/schemas/AnalysisLoadBalancerListener' + - description: The listener for a Classic Load Balancer. + loadBalancerListenerPort: + allOf: + - $ref: '#/components/schemas/Port' + - description: The listener port of the load balancer. + loadBalancerTarget: + allOf: + - $ref: '#/components/schemas/AnalysisLoadBalancerTarget' + - description: The target. + loadBalancerTargetGroup: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The target group. + loadBalancerTargetGroupSet: + allOf: + - $ref: '#/components/schemas/AnalysisComponentList' + - description: The target groups. + loadBalancerTargetPort: + allOf: + - $ref: '#/components/schemas/Port' + - description: The target port. + elasticLoadBalancerListener: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The load balancer listener. + missingComponent: + allOf: + - $ref: '#/components/schemas/String' + - description: The missing component. + natGateway: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The NAT gateway. + networkInterface: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The network interface. + packetField: + allOf: + - $ref: '#/components/schemas/String' + - description: The packet field. + vpcPeeringConnection: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The VPC peering connection. + port: + allOf: + - $ref: '#/components/schemas/Port' + - description: The port. + portRangeSet: + allOf: + - $ref: '#/components/schemas/PortRangeList' + - description: The port ranges. + prefixList: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The prefix list. + protocolSet: + allOf: + - $ref: '#/components/schemas/StringList' + - description: The protocols. + routeTableRoute: + allOf: + - $ref: '#/components/schemas/AnalysisRouteTableRoute' + - description: The route table route. + routeTable: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The route table. + securityGroup: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The security group. + securityGroupRule: + allOf: + - $ref: '#/components/schemas/AnalysisSecurityGroupRule' + - description: The security group rule. + securityGroupSet: + allOf: + - $ref: '#/components/schemas/AnalysisComponentList' + - description: The security groups. + sourceVpc: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The source VPC. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The state. + subnet: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The subnet. + subnetRouteTable: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The route table for the subnet. + vpc: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The component VPC. + vpcEndpoint: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The VPC endpoint. + vpnConnection: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The VPN connection. + vpnGateway: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The VPN gateway. + transitGateway: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The transit gateway. + transitGatewayRouteTable: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The transit gateway route table. + transitGatewayRouteTableRoute: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableRoute' + - description: The transit gateway route table route. + transitGatewayAttachment: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The transit gateway attachment. + description: 'Describes an explanation code for an unreachable path. For more information, see Reachability Analyzer explanation codes.' + ExplanationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Explanation' + - xml: + name: item + ExportClientVpnClientCertificateRevocationListRequest: + type: object + required: + - ClientVpnEndpointId + title: ExportClientVpnClientCertificateRevocationListRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ExportClientVpnClientConfigurationRequest: + type: object + required: + - ClientVpnEndpointId + title: ExportClientVpnClientConfigurationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ExportImageRequest: + type: object + required: + - DiskImageFormat + - ImageId + - S3ExportLocation + title: ExportImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the role that grants VM Import/Export permission to export images to your Amazon S3 bucket. If this parameter is not specified, the default role is named ''vmimport''.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the export image task during creation. + ExportTaskS3Location: + type: object + properties: + s3Bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The destination Amazon S3 bucket. + s3Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix (logical hierarchy) in the bucket. + description: Describes the destination for an export image task. + ExportImageTask: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the image being exported. + exportImageTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the export image task. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the image. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: The percent complete of the export image task. + s3ExportLocation: + allOf: + - $ref: '#/components/schemas/ExportTaskS3Location' + - description: Information about the destination Amazon S3 bucket. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status of the export image task. The possible values are active, completed, deleting, and deleted.' + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The status message for the export image task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the export image task. + description: Describes an export image task. + ExportImageTaskIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ExportImageTaskId' + - xml: + name: ExportImageTaskId + ExportToS3Task: + type: object + properties: + containerFormat: + allOf: + - $ref: '#/components/schemas/ContainerFormat' + - description: 'The container format used to combine disk images with metadata (such as OVF). If absent, only the disk image is exported.' + diskImageFormat: + allOf: + - $ref: '#/components/schemas/DiskImageFormat' + - description: The format for the exported image. + s3Bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon S3 bucket for the destination image. The destination bucket must exist and grant WRITE and READ_ACP permissions to the Amazon Web Services account vm-import-export@amazon.com. + s3Key: + allOf: + - $ref: '#/components/schemas/String' + - description: The encryption key for your S3 bucket. + description: Describes the format and location for the export task. + InstanceExportDetails: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource being exported. + targetEnvironment: + allOf: + - $ref: '#/components/schemas/ExportEnvironment' + - description: The target virtualization environment. + description: Describes an instance to export. + ExportTaskState: + type: string + enum: + - active + - cancelling + - cancelled + - completed + ExportTaskS3LocationRequest: + type: object + required: + - S3Bucket + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix (logical hierarchy) in the bucket. + description: Describes the destination for an export image task. + ExportTransitGatewayRoutesRequest: + type: object + required: + - TransitGatewayRouteTableId + - S3Bucket + title: ExportTransitGatewayRoutesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the route table. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + FailedCapacityReservationFleetCancellationResult: + type: object + properties: + capacityReservationFleetId: + allOf: + - $ref: '#/components/schemas/CapacityReservationFleetId' + - description: The ID of the Capacity Reservation Fleet that could not be cancelled. + cancelCapacityReservationFleetError: + allOf: + - $ref: '#/components/schemas/CancelCapacityReservationFleetError' + - description: Information about the Capacity Reservation Fleet cancellation error. + description: Describes a Capacity Reservation Fleet that could not be cancelled. + FailedQueuedPurchaseDeletion: + type: object + properties: + error: + allOf: + - $ref: '#/components/schemas/DeleteQueuedReservedInstancesError' + - description: The error. + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance. + description: Describes a Reserved Instance whose queued purchase was not deleted. + FastLaunchLaunchTemplateSpecificationRequest: + type: object + required: + - Version + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The version of the launch template to use for faster launching for a Windows AMI. + description: '

Request to create a launch template for a fast-launch enabled Windows AMI.

Note - You can specify either the LaunchTemplateName or the LaunchTemplateId, but not both.

' + FastLaunchSnapshotConfigurationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of pre-provisioned snapshots to keep on hand for a fast-launch enabled Windows AMI. + description: Configuration settings for creating and managing pre-provisioned snapshots for a fast-launch enabled Windows AMI. + FindingsFound: + type: string + enum: + - 'true' + - 'false' + - unknown + FleetActivityStatus: + type: string + enum: + - error + - pending_fulfillment + - pending_termination + - fulfilled + IntegerWithConstraints: + type: integer + minimum: 0 + FleetCapacityReservation: + type: object + properties: + capacityReservationId: + allOf: + - $ref: '#/components/schemas/CapacityReservationId' + - description: The ID of the Capacity Reservation. + availabilityZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Availability Zone in which the Capacity Reservation reserves capacity. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type for which the Capacity Reservation reserves capacity. + instancePlatform: + allOf: + - $ref: '#/components/schemas/CapacityReservationInstancePlatform' + - description: The type of operating system for which the Capacity Reservation reserves capacity. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which the Capacity Reservation reserves capacity. + totalInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of instances for which the Capacity Reservation reserves capacity. + fulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The number of capacity units fulfilled by the Capacity Reservation. For more information, see Total target capacity in the Amazon EC2 User Guide.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the Capacity Reservation reserves capacity for EBS-optimized instance types. + createDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time at which the Capacity Reservation was created. + weight: + allOf: + - $ref: '#/components/schemas/DoubleWithConstraints' + - description: 'The weight of the instance type in the Capacity Reservation Fleet. For more information, see Instance type weight in the Amazon EC2 User Guide.' + priority: + allOf: + - $ref: '#/components/schemas/IntegerWithConstraints' + - description: 'The priority of the instance type in the Capacity Reservation Fleet. For more information, see Instance type priority in the Amazon EC2 User Guide.' + description: Information about a Capacity Reservation in a Capacity Reservation Fleet. + FleetExcessCapacityTerminationPolicy: + type: string + enum: + - no-termination + - termination + FleetLaunchTemplateConfigList: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateConfig' + - xml: + name: item + TargetCapacitySpecification: + type: object + properties: + totalTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of units to request, filled using DefaultTargetCapacityType.' + onDemandTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of On-Demand units to request. If you specify a target capacity for Spot units, you cannot specify a target capacity for On-Demand units.' + spotTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of Spot units to launch. If you specify a target capacity for On-Demand units, you cannot specify a target capacity for Spot units.' + defaultTargetCapacityType: + allOf: + - $ref: '#/components/schemas/DefaultTargetCapacityType' + - description: 'The default TotalTargetCapacity, which is either Spot or On-Demand.' + targetCapacityUnitType: + allOf: + - $ref: '#/components/schemas/TargetCapacityUnitType' + - description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + description: '

The number of units to request. You can choose to set the target capacity in terms of instances or a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.

You can use the On-Demand Instance MaxTotalPrice parameter, the Spot Instance MaxTotalPrice, or both to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, EC2 Fleet will launch instances until it reaches the maximum amount that you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity. The MaxTotalPrice parameters are located in OnDemandOptions and SpotOptions.

' + SpotOptions: + type: object + properties: + allocationStrategy: + allOf: + - $ref: '#/components/schemas/SpotAllocationStrategy' + - description: '

The strategy that determines how to allocate the target Spot Instance capacity across the Spot Instance pools specified by the EC2 Fleet.

lowest-price - EC2 Fleet launches instances from the Spot Instance pools with the lowest price.

diversified - EC2 Fleet launches instances from all of the Spot Instance pools that you specify.

capacity-optimized (recommended) - EC2 Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching. To give certain instance types a higher chance of launching first, use capacity-optimized-prioritized. Set a priority for each instance type by using the Priority parameter for LaunchTemplateOverrides. You can assign the same priority to different LaunchTemplateOverrides. EC2 implements the priorities on a best-effort basis, but optimizes for capacity first. capacity-optimized-prioritized is supported only if your fleet uses a launch template. Note that if the On-Demand AllocationStrategy is set to prioritized, the same priority is applied when fulfilling On-Demand capacity.

Default: lowest-price

' + maintenanceStrategies: + allOf: + - $ref: '#/components/schemas/FleetSpotMaintenanceStrategies' + - description: The strategies for managing your workloads on your Spot Instances that will be interrupted. Currently only the capacity rebalance strategy is available. + instanceInterruptionBehavior: + allOf: + - $ref: '#/components/schemas/SpotInstanceInterruptionBehavior' + - description: '

The behavior when a Spot Instance is interrupted.

Default: terminate

' + instancePoolsToUseCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of Spot pools across which to allocate your target Spot capacity. Supported only when AllocationStrategy is set to lowest-price. EC2 Fleet selects the cheapest Spot pools and evenly allocates your target Spot capacity across the number of Spot pools that you specify.

Note that EC2 Fleet attempts to draw Spot Instances from the number of pools that you specify on a best effort basis. If a pool runs out of Spot capacity before fulfilling your target capacity, EC2 Fleet will continue to fulfill your request by drawing from the next cheapest pool. To ensure that your target capacity is met, you might receive Spot Instances from more than the number of pools that you specified. Similarly, if most of the pools have no Spot capacity, you might receive your full target capacity from fewer than the number of pools that you specified.

' + singleInstanceType: + allOf: + - $ref: '#/components/schemas/Boolean' + - description:

Indicates that the fleet uses a single instance type to launch all Spot Instances in the fleet.

Supported only for fleets of type instant.

+ singleAvailabilityZone: + allOf: + - $ref: '#/components/schemas/Boolean' + - description:

Indicates that the fleet launches all Spot Instances into a single Availability Zone.

Supported only for fleets of type instant.

+ minTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The minimum target capacity for Spot Instances in the fleet. If the minimum target capacity is not reached, the fleet launches no instances.

Supported only for fleets of type instant.

At least one of the following must be specified: SingleAvailabilityZone | SingleInstanceType

' + maxTotalPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum amount per hour for Spot Instances that you're willing to pay. + description: Describes the configuration of Spot Instances in an EC2 Fleet. + OnDemandOptions: + type: object + properties: + allocationStrategy: + allOf: + - $ref: '#/components/schemas/FleetOnDemandAllocationStrategy' + - description: '

The strategy that determines the order of the launch template overrides to use in fulfilling On-Demand capacity.

lowest-price - EC2 Fleet uses price to determine the order, launching the lowest price first.

prioritized - EC2 Fleet uses the priority that you assigned to each launch template override, launching the highest priority first.

Default: lowest-price

' + capacityReservationOptions: + allOf: + - $ref: '#/components/schemas/CapacityReservationOptions' + - description:

The strategy for using unused Capacity Reservations for fulfilling On-Demand capacity.

Supported only for fleets of type instant.

+ singleInstanceType: + allOf: + - $ref: '#/components/schemas/Boolean' + - description:

Indicates that the fleet uses a single instance type to launch all On-Demand Instances in the fleet.

Supported only for fleets of type instant.

+ singleAvailabilityZone: + allOf: + - $ref: '#/components/schemas/Boolean' + - description:

Indicates that the fleet launches all On-Demand Instances into a single Availability Zone.

Supported only for fleets of type instant.

+ minTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The minimum target capacity for On-Demand Instances in the fleet. If the minimum target capacity is not reached, the fleet launches no instances.

Supported only for fleets of type instant.

At least one of the following must be specified: SingleAvailabilityZone | SingleInstanceType

' + maxTotalPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum amount per hour for On-Demand Instances that you're willing to pay. + description: Describes the configuration of On-Demand Instances in an EC2 Fleet. + FleetData: + type: object + properties: + activityStatus: + allOf: + - $ref: '#/components/schemas/FleetActivityStatus' + - description: 'The progress of the EC2 Fleet. If there is an error, the status is error. After all requests are placed, the status is pending_fulfillment. If the size of the EC2 Fleet is equal to or greater than its target capacity, the status is fulfilled. If the size of the EC2 Fleet is decreased, the status is pending_termination while instances are terminating.' + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation date and time of the EC2 Fleet. + fleetId: + allOf: + - $ref: '#/components/schemas/FleetId' + - description: The ID of the EC2 Fleet. + fleetState: + allOf: + - $ref: '#/components/schemas/FleetStateCode' + - description: The state of the EC2 Fleet. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring idempotency.

Constraints: Maximum 64 ASCII characters

' + excessCapacityTerminationPolicy: + allOf: + - $ref: '#/components/schemas/FleetExcessCapacityTerminationPolicy' + - description: Indicates whether running instances should be terminated if the target capacity of the EC2 Fleet is decreased below the current size of the EC2 Fleet. + fulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of units fulfilled by this request compared to the set target capacity. + fulfilledOnDemandCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of units fulfilled by this request compared to the set target On-Demand capacity. + launchTemplateConfigs: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateConfigList' + - description: The launch template and overrides. + targetCapacitySpecification: + allOf: + - $ref: '#/components/schemas/TargetCapacitySpecification' + - description: 'The number of units to request. You can choose to set the target capacity in terms of instances or a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.' + terminateInstancesWithExpiration: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether running instances should be terminated when the EC2 Fleet expires. ' + type: + allOf: + - $ref: '#/components/schemas/FleetType' + - description: 'The type of request. Indicates whether the EC2 Fleet only requests the target capacity, or also attempts to maintain it. If you request a certain target capacity, EC2 Fleet only places the required requests; it does not attempt to replenish instances if capacity is diminished, and it does not submit requests in alternative capacity pools if capacity is unavailable. To maintain a certain target capacity, EC2 Fleet places the required requests to meet this target capacity. It also automatically replenishes any interrupted Spot Instances. Default: maintain.' + validFrom: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The start date and time of the request, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). The default is to start fulfilling the request immediately. ' + validUntil: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The end date and time of the request, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). At this point, no new instance requests are placed or able to fulfill the request. The default end date is 7 days from the current date. ' + replaceUnhealthyInstances: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether EC2 Fleet should replace unhealthy Spot Instances. Supported only for fleets of type maintain. For more information, see EC2 Fleet health checks in the Amazon EC2 User Guide.' + spotOptions: + allOf: + - $ref: '#/components/schemas/SpotOptions' + - description: The configuration of Spot Instances in an EC2 Fleet. + onDemandOptions: + allOf: + - $ref: '#/components/schemas/OnDemandOptions' + - description: The allocation strategy of On-Demand Instances in an EC2 Fleet. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for an EC2 Fleet resource. + errorSet: + allOf: + - $ref: '#/components/schemas/DescribeFleetsErrorSet' + - description: Information about the instances that could not be launched by the fleet. Valid only when Type is set to instant. + fleetInstanceSet: + allOf: + - $ref: '#/components/schemas/DescribeFleetsInstancesSet' + - description: Information about the instances that were launched by the fleet. Valid only when Type is set to instant. + context: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + description: Describes an EC2 Fleet. + FleetEventType: + type: string + enum: + - instance-change + - fleet-change + - service-error + FleetLaunchTemplateSpecification: + type: object + properties: + launchTemplateId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the launch template. If you specify the template ID, you can''t specify the template name.' + launchTemplateName: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: 'The name of the launch template. If you specify the template name, you can''t specify the template ID.' + version: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The launch template version number, $Latest, or $Default. You must specify a value, otherwise the request fails.

If the value is $Latest, Amazon EC2 uses the latest version of the launch template.

If the value is $Default, Amazon EC2 uses the default version of the launch template.

' + description: 'Describes the Amazon EC2 launch template and the launch template version that can be used by a Spot Fleet request to configure Amazon EC2 instances. For information about launch templates, see Launching an instance from a launch template in the Amazon EC2 User Guide for Linux Instances.' + FleetLaunchTemplateOverridesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateOverrides' + - xml: + name: item + FleetLaunchTemplateConfig: + type: object + properties: + launchTemplateSpecification: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateSpecification' + - description: The launch template. + overrides: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateOverridesList' + - description: Any parameters that you specify override the same parameters in the launch template. + description: Describes a launch template and overrides. + FleetLaunchTemplateConfigListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateConfigRequest' + - xml: + name: item + minItems: 0 + maxItems: 50 + FleetLaunchTemplateOverridesListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/FleetLaunchTemplateOverridesRequest' + - xml: + name: item + PlacementResponse: + type: object + properties: + groupName: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: The name of the placement group that the instance is in. + description: Describes the placement of an instance. + InstanceRequirements: + type: object + properties: + vCpuCount: + allOf: + - $ref: '#/components/schemas/VCpuCountRange' + - description: The minimum and maximum number of vCPUs. + memoryMiB: + allOf: + - $ref: '#/components/schemas/MemoryMiB' + - description: 'The minimum and maximum amount of memory, in MiB.' + cpuManufacturerSet: + allOf: + - $ref: '#/components/schemas/CpuManufacturerSet' + - description: '

The CPU manufacturers to include.

Don''t confuse the CPU manufacturer with the CPU architecture. Instances will be launched with a compatible CPU architecture based on the Amazon Machine Image (AMI) that you specify in your launch template.

Default: Any manufacturer

' + memoryGiBPerVCpu: + allOf: + - $ref: '#/components/schemas/MemoryGiBPerVCpu' + - description: '

The minimum and maximum amount of memory per vCPU, in GiB.

Default: No minimum or maximum limits

' + excludedInstanceTypeSet: + allOf: + - $ref: '#/components/schemas/ExcludedInstanceTypeSet' + - description: '

The instance types to exclude. You can use strings with one or more wild cards, represented by an asterisk (*), to exclude an instance type, size, or generation. The following are examples: m5.8xlarge, c5*.*, m5a.*, r*, *3*.

For example, if you specify c5*,Amazon EC2 will exclude the entire C5 instance family, which includes all C5a and C5n instance types. If you specify m5a.*, Amazon EC2 will exclude all the M5a instance types, but not the M5n instance types.

Default: No excluded instance types

' + instanceGenerationSet: + allOf: + - $ref: '#/components/schemas/InstanceGenerationSet' + - description: '

Indicates whether current or previous generation instance types are included. The current generation instance types are recommended for use. Current generation instance types are typically the latest two to three generations in each instance family. For more information, see Instance types in the Amazon EC2 User Guide.

For current generation instance types, specify current.

For previous generation instance types, specify previous.

Default: Current and previous generation instance types

' + spotMaxPricePercentageOverLowestPrice: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The price protection threshold for Spot Instances. This is the maximum you’ll pay for a Spot Instance, expressed as a percentage above the cheapest M, C, or R instance type with your specified attributes. When Amazon EC2 selects instance types with your attributes, it excludes instance types priced above your threshold.

The parameter accepts an integer, which Amazon EC2 interprets as a percentage.

To turn off price protection, specify a high value, such as 999999.

This parameter is not supported for GetSpotPlacementScores and GetInstanceTypesFromInstanceRequirements.

If you set TargetCapacityUnitType to vcpu or memory-mib, the price protection threshold is applied based on the per-vCPU or per-memory price instead of the per-instance price.

Default: 100

' + onDemandMaxPricePercentageOverLowestPrice: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The price protection threshold for On-Demand Instances. This is the maximum you’ll pay for an On-Demand Instance, expressed as a percentage above the cheapest M, C, or R instance type with your specified attributes. When Amazon EC2 selects instance types with your attributes, it excludes instance types priced above your threshold.

The parameter accepts an integer, which Amazon EC2 interprets as a percentage.

To turn off price protection, specify a high value, such as 999999.

This parameter is not supported for GetSpotPlacementScores and GetInstanceTypesFromInstanceRequirements.

If you set TargetCapacityUnitType to vcpu or memory-mib, the price protection threshold is applied based on the per-vCPU or per-memory price instead of the per-instance price.

Default: 20

' + bareMetal: + allOf: + - $ref: '#/components/schemas/BareMetal' + - description: '

Indicates whether bare metal instance types must be included, excluded, or required.

Default: excluded

' + burstablePerformance: + allOf: + - $ref: '#/components/schemas/BurstablePerformance' + - description: '

Indicates whether burstable performance T instance types are included, excluded, or required. For more information, see Burstable performance instances.

Default: excluded

' + requireHibernateSupport: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether instance types must support hibernation for On-Demand Instances.

This parameter is not supported for GetSpotPlacementScores.

Default: false

' + networkInterfaceCount: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceCount' + - description: '

The minimum and maximum number of network interfaces.

Default: No minimum or maximum limits

' + localStorage: + allOf: + - $ref: '#/components/schemas/LocalStorage' + - description: '

Indicates whether instance types with instance store volumes are included, excluded, or required. For more information, Amazon EC2 instance store in the Amazon EC2 User Guide.

Default: included

' + localStorageTypeSet: + allOf: + - $ref: '#/components/schemas/LocalStorageTypeSet' + - description: '

The type of local storage that is required.

Default: hdd and sdd

' + totalLocalStorageGB: + allOf: + - $ref: '#/components/schemas/TotalLocalStorageGB' + - description: '

The minimum and maximum amount of total local storage, in GB.

Default: No minimum or maximum limits

' + baselineEbsBandwidthMbps: + allOf: + - $ref: '#/components/schemas/BaselineEbsBandwidthMbps' + - description: '

The minimum and maximum baseline bandwidth to Amazon EBS, in Mbps. For more information, see Amazon EBS–optimized instances in the Amazon EC2 User Guide.

Default: No minimum or maximum limits

' + acceleratorTypeSet: + allOf: + - $ref: '#/components/schemas/AcceleratorTypeSet' + - description: '

The accelerator types that must be on the instance type.

Default: Any accelerator type

' + acceleratorCount: + allOf: + - $ref: '#/components/schemas/AcceleratorCount' + - description: '

The minimum and maximum number of accelerators (GPUs, FPGAs, or Amazon Web Services Inferentia chips) on an instance.

To exclude accelerator-enabled instance types, set Max to 0.

Default: No minimum or maximum limits

' + acceleratorManufacturerSet: + allOf: + - $ref: '#/components/schemas/AcceleratorManufacturerSet' + - description: '

Indicates whether instance types must have accelerators by specific manufacturers.

Default: Any manufacturer

' + acceleratorNameSet: + allOf: + - $ref: '#/components/schemas/AcceleratorNameSet' + - description: '

The accelerators that must be on the instance type.

Default: Any accelerator

' + acceleratorTotalMemoryMiB: + allOf: + - $ref: '#/components/schemas/AcceleratorTotalMemoryMiB' + - description: '

The minimum and maximum amount of total accelerator memory, in MiB.

Default: No minimum or maximum limits

' + description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with these attributes.

When you specify multiple parameters, you get instance types that satisfy all of the specified parameters. If you specify multiple values for a parameter, you get instance types that satisfy any of the specified values.

You must specify VCpuCount and MemoryMiB. All other parameters are optional. Any unspecified optional parameter is set to its default.

For more information, see Attribute-based instance type selection for EC2 Fleet, Attribute-based instance type selection for Spot Fleet, and Spot placement score in the Amazon EC2 User Guide.

' + FleetLaunchTemplateOverrides: + type: object + properties: + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: '

The instance type.

If you specify InstanceTypes, you can''t specify InstanceRequirements.

' + maxPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per unit hour that you are willing to pay for a Spot Instance. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet in which to launch the instances. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which to launch the instances. + weightedCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of units provided by the specified instance type. + priority: + allOf: + - $ref: '#/components/schemas/Double' + - description: '

The priority for the launch template override. The highest priority is launched first.

If the On-Demand AllocationStrategy is set to prioritized, EC2 Fleet uses priority to determine which launch template override to use first in fulfilling On-Demand capacity.

If the Spot AllocationStrategy is set to capacity-optimized-prioritized, EC2 Fleet uses priority on a best-effort basis to determine which launch template override to use in fulfilling Spot capacity, but optimizes for capacity first.

Valid values are whole numbers starting at 0. The lower the number, the higher the priority. If no number is set, the override has the lowest priority. You can set the same priority for different launch template overrides.

' + placement: + allOf: + - $ref: '#/components/schemas/PlacementResponse' + - description: 'The location where the instance launched, if applicable.' + instanceRequirements: + allOf: + - $ref: '#/components/schemas/InstanceRequirements' + - description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.

If you specify InstanceRequirements, you can''t specify InstanceTypes.

' + description: Describes overrides for a launch template. + FleetLaunchTemplateOverridesRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceRequirementsRequest' + - description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.

If you specify InstanceRequirements, you can''t specify InstanceTypes.

' + description: Describes overrides for a launch template. + FleetLaunchTemplateSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The launch template version number, $Latest, or $Default. You must specify a value, otherwise the request fails.

If the value is $Latest, Amazon EC2 uses the latest version of the launch template.

If the value is $Default, Amazon EC2 uses the default version of the launch template.

' + description: 'Describes the Amazon EC2 launch template and the launch template version that can be used by an EC2 Fleet to configure Amazon EC2 instances. For information about launch templates, see Launching an instance from a launch template in the Amazon EC2 User Guide.' + FleetOnDemandAllocationStrategy: + type: string + enum: + - lowest-price + - prioritized + FleetReplacementStrategy: + type: string + enum: + - launch + - launch-before-terminate + FleetSpotCapacityRebalance: + type: object + properties: + replacementStrategy: + allOf: + - $ref: '#/components/schemas/FleetReplacementStrategy' + - description: '

The replacement strategy to use. Only available for fleets of type maintain.

launch - EC2 Fleet launches a new replacement Spot Instance when a rebalance notification is emitted for an existing Spot Instance in the fleet. EC2 Fleet does not terminate the instances that receive a rebalance notification. You can terminate the old instances, or you can leave them running. You are charged for all instances while they are running.

launch-before-terminate - EC2 Fleet launches a new replacement Spot Instance when a rebalance notification is emitted for an existing Spot Instance in the fleet, and then, after a delay that you specify (in TerminationDelay), terminates the instances that received a rebalance notification.

' + terminationDelay: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The amount of time (in seconds) that Amazon EC2 waits before terminating the old Spot Instance after launching a new replacement Spot Instance.

Required when ReplacementStrategy is set to launch-before-terminate.

Not valid when ReplacementStrategy is set to launch.

Valid values: Minimum value of 120 seconds. Maximum value of 7200 seconds.

' + description: The strategy to use when Amazon EC2 emits a signal that your Spot Instance is at an elevated risk of being interrupted. + FleetSpotCapacityRebalanceRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The amount of time (in seconds) that Amazon EC2 waits before terminating the old Spot Instance after launching a new replacement Spot Instance.

Required when ReplacementStrategy is set to launch-before-terminate.

Not valid when ReplacementStrategy is set to launch.

Valid values: Minimum value of 120 seconds. Maximum value of 7200 seconds.

' + description: 'The Spot Instance replacement strategy to use when Amazon EC2 emits a rebalance notification signal that your Spot Instance is at an elevated risk of being interrupted. For more information, see Capacity rebalancing in the Amazon EC2 User Guide.' + FleetSpotMaintenanceStrategies: + type: object + properties: + capacityRebalance: + allOf: + - $ref: '#/components/schemas/FleetSpotCapacityRebalance' + - description: The strategy to use when Amazon EC2 emits a signal that your Spot Instance is at an elevated risk of being interrupted. + description: The strategies for managing your Spot Instances that are at an elevated risk of being interrupted. + FleetSpotMaintenanceStrategiesRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FleetSpotCapacityRebalanceRequest' + - description: The strategy to use when Amazon EC2 emits a signal that your Spot Instance is at an elevated risk of being interrupted. + description: The strategies for managing your Spot Instances that are at an elevated risk of being interrupted. + Float: + type: number + format: float + TrafficType: + type: string + enum: + - ACCEPT + - REJECT + - ALL + LogDestinationType: + type: string + enum: + - cloud-watch-logs + - s3 + FlowLog: + type: object + properties: + creationTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time the flow log was created. + deliverLogsErrorMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Information about the error that occurred. Rate limited indicates that CloudWatch Logs throttling has been applied for one or more network interfaces, or that you''ve reached the limit on the number of log groups that you can create. Access error indicates that the IAM role associated with the flow log does not have sufficient permissions to publish to CloudWatch Logs. Unknown error indicates an internal error.' + deliverLogsPermissionArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the IAM role that posts logs to CloudWatch Logs. + deliverLogsStatus: + allOf: + - $ref: '#/components/schemas/String' + - description: The status of the logs delivery (SUCCESS | FAILED). + flowLogId: + allOf: + - $ref: '#/components/schemas/String' + - description: The flow log ID. + flowLogStatus: + allOf: + - $ref: '#/components/schemas/String' + - description: The status of the flow log (ACTIVE). + logGroupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the flow log group. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource on which the flow log was created. + trafficType: + allOf: + - $ref: '#/components/schemas/TrafficType' + - description: The type of traffic captured for the flow log. + logDestinationType: + allOf: + - $ref: '#/components/schemas/LogDestinationType' + - description: The type of destination to which the flow log data is published. Flow log data can be published to CloudWatch Logs or Amazon S3. + logDestination: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The destination to which the flow log data is published. Flow log data can be published to an CloudWatch Logs log group or an Amazon S3 bucket. If the flow log publishes to CloudWatch Logs, this element indicates the Amazon Resource Name (ARN) of the CloudWatch Logs log group to which the data is published. If the flow log publishes to Amazon S3, this element indicates the ARN of the Amazon S3 bucket to which the data is published.' + logFormat: + allOf: + - $ref: '#/components/schemas/String' + - description: The format of the flow log record. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the flow log. + maxAggregationInterval: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The maximum interval of time, in seconds, during which a flow of packets is captured and aggregated into a flow log record.

When a network interface is attached to a Nitro-based instance, the aggregation interval is always 60 seconds (1 minute) or less, regardless of the specified value.

Valid Values: 60 | 600

' + destinationOptions: + allOf: + - $ref: '#/components/schemas/DestinationOptionsResponse' + - description: The destination options. + description: Describes a flow log. + FlowLogResourceIds: + type: array + items: + allOf: + - $ref: '#/components/schemas/FlowLogResourceId' + - xml: + name: item + FlowLogsResourceType: + type: string + enum: + - VPC + - Subnet + - NetworkInterface + FpgaDeviceCount: + type: integer + FpgaDeviceName: + type: string + FpgaDeviceManufacturerName: + type: string + FpgaDeviceMemoryInfo: + type: object + properties: + sizeInMiB: + allOf: + - $ref: '#/components/schemas/FpgaDeviceMemorySize' + - description: 'The size of the memory available to the FPGA accelerator, in MiB.' + description: Describes the memory for the FPGA accelerator for the instance type. + FpgaDeviceInfo: + type: object + properties: + name: + allOf: + - $ref: '#/components/schemas/FpgaDeviceName' + - description: The name of the FPGA accelerator. + manufacturer: + allOf: + - $ref: '#/components/schemas/FpgaDeviceManufacturerName' + - description: The manufacturer of the FPGA accelerator. + count: + allOf: + - $ref: '#/components/schemas/FpgaDeviceCount' + - description: The count of FPGA accelerators for the instance type. + memoryInfo: + allOf: + - $ref: '#/components/schemas/FpgaDeviceMemoryInfo' + - description: Describes the memory for the FPGA accelerator for the instance type. + description: Describes the FPGA accelerator for the instance type. + FpgaDeviceInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/FpgaDeviceInfo' + - xml: + name: item + FpgaDeviceMemorySize: + type: integer + PciId: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the vendor for the subsystem. + description: Describes the data that identifies an Amazon FPGA image (AFI) on the PCI bus. + FpgaImageState: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/FpgaImageStateCode' + - description: '

The state. The following are the possible values:

' + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'If the state is failed, this is the error message.' + description: Describes the state of the bitstream generation process for an Amazon FPGA image (AFI). + FpgaImage: + type: object + properties: + fpgaImageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The FPGA image identifier (AFI ID). + fpgaImageGlobalId: + allOf: + - $ref: '#/components/schemas/String' + - description: The global FPGA image identifier (AGFI ID). + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the AFI. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the AFI. + shellVersion: + allOf: + - $ref: '#/components/schemas/String' + - description: The version of the Amazon Web Services Shell that was used to create the bitstream. + pciId: + allOf: + - $ref: '#/components/schemas/PciId' + - description: Information about the PCI bus. + state: + allOf: + - $ref: '#/components/schemas/FpgaImageState' + - description: Information about the state of the AFI. + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time the AFI was created. + updateTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time of the most recent update to the AFI. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the AFI. + ownerAlias: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The alias of the AFI owner. Possible values include self, amazon, and aws-marketplace.' + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: The product codes for the AFI. + tags: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the AFI. + public: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the AFI is public. + dataRetentionSupport: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether data retention support is enabled for the AFI. + description: Describes an Amazon FPGA image (AFI). + LoadPermissionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LoadPermission' + - xml: + name: item + FpgaImageStateCode: + type: string + enum: + - pending + - failed + - available + - unavailable + totalFpgaMemory: + type: integer + FpgaInfo: + type: object + properties: + fpgas: + allOf: + - $ref: '#/components/schemas/FpgaDeviceInfoList' + - description: Describes the FPGAs for the instance type. + totalFpgaMemoryInMiB: + allOf: + - $ref: '#/components/schemas/totalFpgaMemory' + - description: The total memory of all FPGA accelerators for the instance type. + description: Describes the FPGAs for the instance type. + FreeTierEligibleFlag: + type: boolean + GVCDMaxResults: + type: integer + minimum: 200 + maximum: 1000 + GatewayAssociationState: + type: string + enum: + - associated + - not-associated + - associating + - disassociating + GetAssociatedEnclaveCertificateIamRolesRequest: + type: object + title: GetAssociatedEnclaveCertificateIamRolesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetAssociatedIpv6PoolCidrsRequest: + type: object + required: + - PoolId + title: GetAssociatedIpv6PoolCidrsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Ipv6CidrAssociationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6CidrAssociation' + - xml: + name: item + GetCapacityReservationUsageRequest: + type: object + required: + - CapacityReservationId + title: GetCapacityReservationUsageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetCapacityReservationUsageRequestMaxResults: + type: integer + minimum: 1 + maximum: 1000 + InstanceUsageSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceUsage' + - xml: + name: item + GetCoipPoolUsageRequest: + type: object + required: + - PoolId + title: GetCoipPoolUsageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Ipv4PoolCoipId' + - description: The ID of the address pool. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetConsoleOutputRequest: + type: object + required: + - InstanceId + title: GetConsoleOutputRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

When enabled, retrieves the latest console output for the instance.

Default: disabled (false)

' + GetConsoleScreenshotRequest: + type: object + required: + - InstanceId + title: GetConsoleScreenshotRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'When set to true, acts as keystroke input and wakes up an instance that''s in standby or "sleep" mode.' + UnlimitedSupportedInstanceFamily: + type: string + enum: + - t2 + - t3 + - t3a + - t4g + GetDefaultCreditSpecificationRequest: + type: object + required: + - InstanceFamily + title: GetDefaultCreditSpecificationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/UnlimitedSupportedInstanceFamily' + - description: The instance family. + InstanceFamilyCreditSpecification: + type: object + properties: + instanceFamily: + allOf: + - $ref: '#/components/schemas/UnlimitedSupportedInstanceFamily' + - description: The instance family. + cpuCredits: + allOf: + - $ref: '#/components/schemas/String' + - description: The default credit option for CPU usage of the instance family. Valid values are standard and unlimited. + description: Describes the default credit option for CPU usage of a burstable performance instance family. + GetEbsDefaultKmsKeyIdRequest: + type: object + title: GetEbsDefaultKmsKeyIdRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetEbsEncryptionByDefaultRequest: + type: object + title: GetEbsEncryptionByDefaultRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + IntegrateServices: + type: object + properties: + AthenaIntegration: + allOf: + - $ref: '#/components/schemas/AthenaIntegrationsSet' + - description: Information about the integration with Amazon Athena. + description: Describes service integrations with VPC Flow logs. + GetFlowLogsIntegrationTemplateRequest: + type: object + required: + - FlowLogId + - ConfigDeliveryS3DestinationArn + - IntegrateServices + title: GetFlowLogsIntegrationTemplateRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'To store the CloudFormation template in Amazon S3, specify the location in Amazon S3.' + IntegrateService: + allOf: + - $ref: '#/components/schemas/IntegrateServices' + - description: Information about the service integration. + GetGroupsForCapacityReservationRequest: + type: object + required: + - CapacityReservationId + title: GetGroupsForCapacityReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetGroupsForCapacityReservationRequestMaxResults: + type: integer + minimum: 1 + maximum: 1000 + GetHostReservationPurchasePreviewRequest: + type: object + required: + - HostIdSet + - OfferingId + title: GetHostReservationPurchasePreviewRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/OfferingId' + - description: The offering ID of the reservation. + PurchaseSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Purchase' + - xml: + name: item + GetInstanceTypesFromInstanceRequirementsRequest: + type: object + required: + - ArchitectureTypes + - VirtualizationTypes + - InstanceRequirements + title: GetInstanceTypesFromInstanceRequirementsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ArchitectureType: + allOf: + - $ref: '#/components/schemas/ArchitectureTypeSet' + - description: The processor architecture type. + VirtualizationType: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + InstanceTypeInfoFromInstanceRequirementsSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceTypeInfoFromInstanceRequirements' + - xml: + name: item + GetInstanceUefiDataRequest: + type: object + required: + - InstanceId + title: GetInstanceUefiDataRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetIpamAddressHistoryRequest: + type: object + required: + - Cidr + - IpamScopeId + title: GetIpamAddressHistoryRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + IpamAddressHistoryRecordSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamAddressHistoryRecord' + - xml: + name: item + GetIpamPoolAllocationsMaxResults: + type: integer + minimum: 1000 + maximum: 100000 + IpamPoolAllocationId: + type: string + GetIpamPoolAllocationsRequest: + type: object + required: + - IpamPoolId + title: GetIpamPoolAllocationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocationId' + - description: The ID of the allocation. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + IpamPoolAllocationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocation' + - xml: + name: item + GetIpamPoolCidrsRequest: + type: object + required: + - IpamPoolId + title: GetIpamPoolCidrsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamPoolId' + - description: The ID of the IPAM pool you want the CIDR for. + Filter: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + IpamPoolCidrSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamPoolCidr' + - xml: + name: item + GetIpamResourceCidrsRequest: + type: object + required: + - IpamScopeId + title: GetIpamResourceCidrsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'A check for whether you have the required permissions for the action without actually making the request and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + Filter: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the resource. + IpamResourceCidrSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamResourceCidr' + - xml: + name: item + GetLaunchTemplateDataRequest: + type: object + required: + - InstanceId + title: GetLaunchTemplateDataRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + ResponseLaunchTemplateData: + type: object + properties: + kernelId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the kernel, if applicable.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether the instance is optimized for Amazon EBS I/O. ' + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/LaunchTemplateIamInstanceProfileSpecification' + - description: The IAM instance profile. + blockDeviceMappingSet: + allOf: + - $ref: '#/components/schemas/LaunchTemplateBlockDeviceMappingList' + - description: The block device mappings. + networkInterfaceSet: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceNetworkInterfaceSpecificationList' + - description: The network interfaces. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI that was used to launch the instance. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the key pair. + monitoring: + allOf: + - $ref: '#/components/schemas/LaunchTemplatesMonitoring' + - description: The monitoring for the instance. + placement: + allOf: + - $ref: '#/components/schemas/LaunchTemplatePlacement' + - description: The placement of the instance. + ramDiskId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the RAM disk, if applicable.' + disableApiTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If set to true, indicates that the instance cannot be terminated using the Amazon EC2 console, command line tool, or API.' + instanceInitiatedShutdownBehavior: + allOf: + - $ref: '#/components/schemas/ShutdownBehavior' + - description: Indicates whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown). + userData: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The user data for the instance. ' + tagSpecificationSet: + allOf: + - $ref: '#/components/schemas/LaunchTemplateTagSpecificationList' + - description: The tags. + elasticGpuSpecificationSet: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecificationResponseList' + - description: The elastic GPU specification. + elasticInferenceAcceleratorSet: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAcceleratorResponseList' + - description: ' The elastic inference accelerator for the instance. ' + securityGroupIdSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The security group IDs. + securityGroupSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The security group names. + instanceMarketOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMarketOptions' + - description: The market (purchasing) option for the instances. + creditSpecification: + allOf: + - $ref: '#/components/schemas/CreditSpecification' + - description: The credit option for CPU usage of the instance. + cpuOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateCpuOptions' + - description: 'The CPU options for the instance. For more information, see Optimizing CPU options in the Amazon Elastic Compute Cloud User Guide.' + capacityReservationSpecification: + allOf: + - $ref: '#/components/schemas/LaunchTemplateCapacityReservationSpecificationResponse' + - description: Information about the Capacity Reservation targeting option. + licenseSet: + allOf: + - $ref: '#/components/schemas/LaunchTemplateLicenseList' + - description: The license configurations. + hibernationOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateHibernationOptions' + - description: 'Indicates whether an instance is configured for hibernation. For more information, see Hibernate your instance in the Amazon Elastic Compute Cloud User Guide.' + metadataOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMetadataOptions' + - description: 'The metadata options for the instance. For more information, see Instance metadata and user data in the Amazon Elastic Compute Cloud User Guide.' + enclaveOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateEnclaveOptions' + - description: Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. + instanceRequirements: + allOf: + - $ref: '#/components/schemas/InstanceRequirements' + - description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with these attributes.

If you specify InstanceRequirements, you can''t specify InstanceTypes.

' + privateDnsNameOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplatePrivateDnsNameOptions' + - description: The options for the instance hostname. + maintenanceOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMaintenanceOptions' + - description: The maintenance options for your instance. + description: 'The information for a launch template. ' + GetManagedPrefixListAssociationsMaxResults: + type: integer + minimum: 5 + maximum: 255 + GetManagedPrefixListAssociationsRequest: + type: object + required: + - PrefixListId + title: GetManagedPrefixListAssociationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + PrefixListAssociationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrefixListAssociation' + - xml: + name: item + GetManagedPrefixListEntriesRequest: + type: object + required: + - PrefixListId + title: GetManagedPrefixListEntriesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NextToken' + - description: The token for the next page of results. + PrefixListEntrySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrefixListEntry' + - xml: + name: item + GetNetworkInsightsAccessScopeAnalysisFindingsRequest: + type: object + required: + - NetworkInsightsAccessScopeAnalysisId + title: GetNetworkInsightsAccessScopeAnalysisFindingsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetNetworkInsightsAccessScopeContentRequest: + type: object + required: + - NetworkInsightsAccessScopeId + title: GetNetworkInsightsAccessScopeContentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetPasswordDataRequest: + type: object + required: + - InstanceId + title: GetPasswordDataRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the Windows instance. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetReservedInstancesExchangeQuoteRequest: + type: object + required: + - ReservedInstanceIds + title: GetReservedInstancesExchangeQuoteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ReservedInstanceId: + allOf: + - $ref: '#/components/schemas/ReservedInstanceIdSet' + - description: The IDs of the Convertible Reserved Instances to exchange. + TargetConfiguration: + allOf: + - $ref: '#/components/schemas/TargetConfigurationRequestSet' + - description: The configuration of the target Convertible Reserved Instance to exchange for your current Convertible Reserved Instances. + description: Contains the parameters for GetReservedInstanceExchangeQuote. + ReservationValue: + type: object + properties: + hourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The hourly rate of the reservation. + remainingTotalValue: + allOf: + - $ref: '#/components/schemas/String' + - description: The balance of the total value (the sum of remainingUpfrontValue + hourlyPrice * number of hours remaining). + remainingUpfrontValue: + allOf: + - $ref: '#/components/schemas/String' + - description: The remaining upfront cost of the reservation. + description: The cost associated with the Reserved Instance. + ReservedInstanceReservationValueSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstanceReservationValue' + - xml: + name: item + TargetReservationValueSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TargetReservationValue' + - xml: + name: item + GetSerialConsoleAccessStatusRequest: + type: object + title: GetSerialConsoleAccessStatusRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + GetSpotPlacementScoresRequest: + type: object + required: + - TargetCapacity + title: GetSpotPlacementScoresRequest + properties: + InstanceType: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Specify true so that the response returns a list of scored Availability Zones. Otherwise, the response returns a list of scored Regions.

A list of scored Availability Zones is useful if you want to launch all of your Spot capacity into a single Availability Zone.

' + RegionName: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next set of results. + SpotPlacementScores: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotPlacementScore' + - xml: + name: item + GetSubnetCidrReservationsMaxResults: + type: integer + minimum: 5 + maximum: 1000 + GetSubnetCidrReservationsRequest: + type: object + required: + - SubnetId + title: GetSubnetCidrReservationsRequest + properties: + Filter: + allOf: + - $ref: '#/components/schemas/GetSubnetCidrReservationsMaxResults' + - description: 'The maximum number of results to return with a single call. To retrieve the remaining results, make another call with the returned nextToken value.' + SubnetCidrReservationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetCidrReservation' + - xml: + name: item + GetTransitGatewayAttachmentPropagationsRequest: + type: object + required: + - TransitGatewayAttachmentId + title: GetTransitGatewayAttachmentPropagationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the attachment. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayAttachmentPropagationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentPropagation' + - xml: + name: item + GetTransitGatewayMulticastDomainAssociationsRequest: + type: object + title: GetTransitGatewayMulticastDomainAssociationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainId' + - description: The ID of the transit gateway multicast domain. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastDomainAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainAssociation' + - xml: + name: item + GetTransitGatewayPrefixListReferencesRequest: + type: object + required: + - TransitGatewayRouteTableId + title: GetTransitGatewayPrefixListReferencesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the transit gateway route table. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayPrefixListReferenceSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayPrefixListReference' + - xml: + name: item + GetTransitGatewayRouteTableAssociationsRequest: + type: object + required: + - TransitGatewayRouteTableId + title: GetTransitGatewayRouteTableAssociationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the transit gateway route table. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayRouteTableAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableAssociation' + - xml: + name: item + GetTransitGatewayRouteTablePropagationsRequest: + type: object + required: + - TransitGatewayRouteTableId + title: GetTransitGatewayRouteTablePropagationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the transit gateway route table. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayRouteTablePropagationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTablePropagation' + - xml: + name: item + GetVpnConnectionDeviceSampleConfigurationRequest: + type: object + required: + - VpnConnectionId + - VpnConnectionDeviceTypeId + title: GetVpnConnectionDeviceSampleConfigurationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpnConnectionDeviceSampleConfiguration: + type: string + format: password + GetVpnConnectionDeviceTypesRequest: + type: object + title: GetVpnConnectionDeviceTypesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + VpnConnectionDeviceTypeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VpnConnectionDeviceType' + - xml: + name: item + GpuDeviceCount: + type: integer + GpuDeviceName: + type: string + GpuDeviceManufacturerName: + type: string + GpuDeviceMemoryInfo: + type: object + properties: + sizeInMiB: + allOf: + - $ref: '#/components/schemas/GpuDeviceMemorySize' + - description: 'The size of the memory available to the GPU accelerator, in MiB.' + description: Describes the memory available to the GPU accelerator. + GpuDeviceInfo: + type: object + properties: + name: + allOf: + - $ref: '#/components/schemas/GpuDeviceName' + - description: The name of the GPU accelerator. + manufacturer: + allOf: + - $ref: '#/components/schemas/GpuDeviceManufacturerName' + - description: The manufacturer of the GPU accelerator. + count: + allOf: + - $ref: '#/components/schemas/GpuDeviceCount' + - description: The number of GPUs for the instance type. + memoryInfo: + allOf: + - $ref: '#/components/schemas/GpuDeviceMemoryInfo' + - description: Describes the memory available to the GPU accelerator. + description: Describes the GPU accelerators for the instance type. + GpuDeviceInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/GpuDeviceInfo' + - xml: + name: item + GpuDeviceMemorySize: + type: integer + totalGpuMemory: + type: integer + GpuInfo: + type: object + properties: + gpus: + allOf: + - $ref: '#/components/schemas/GpuDeviceInfoList' + - description: Describes the GPU accelerators for the instance type. + totalGpuMemoryInMiB: + allOf: + - $ref: '#/components/schemas/totalGpuMemory' + - description: 'The total size of the memory for the GPU accelerators for the instance type, in MiB.' + description: Describes the GPU accelerators for the instance type. + GroupIdentifier: + type: object + properties: + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the security group. + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + description: Describes a security group. + SecurityGroupIdentifier: + type: object + properties: + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the security group. + description: Describes a security group. + GroupIdentifierSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdentifier' + - xml: + name: item + HibernationFlag: + type: boolean + HibernationOptions: + type: object + properties: + configured: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If this parameter is set to true, your instance is enabled for hibernation; otherwise, it is not enabled for hibernation.' + description: 'Indicates whether your instance is configured for hibernation. This parameter is valid only if the instance meets the hibernation prerequisites. For more information, see Hibernate your instance in the Amazon EC2 User Guide.' + HibernationOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If you set this parameter to true, your instance is enabled for hibernation.

Default: false

' + description: 'Indicates whether your instance is configured for hibernation. This parameter is valid only if the instance meets the hibernation prerequisites. For more information, see Hibernate your instance in the Amazon EC2 User Guide.' + HistoryRecord: + type: object + properties: + eventInformation: + allOf: + - $ref: '#/components/schemas/EventInformation' + - description: Information about the event. + eventType: + allOf: + - $ref: '#/components/schemas/EventType' + - description:

The event type.

+ timestamp: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time of the event, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Describes an event in the history of the Spot Fleet request. + HistoryRecordEntry: + type: object + properties: + eventInformation: + allOf: + - $ref: '#/components/schemas/EventInformation' + - description: Information about the event. + eventType: + allOf: + - $ref: '#/components/schemas/FleetEventType' + - description: The event type. + timestamp: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time of the event, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Describes an event in the history of an EC2 Fleet. + HostProperties: + type: object + properties: + cores: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of cores on the Dedicated Host. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The instance type supported by the Dedicated Host. For example, m5.large. If the host supports multiple instance types, no instanceType is returned.' + instanceFamily: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The instance family supported by the Dedicated Host. For example, m5.' + sockets: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of sockets on the Dedicated Host. + totalVCpus: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of vCPUs on the Dedicated Host. + description: Describes the properties of a Dedicated Host. + HostInstanceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/HostInstance' + - xml: + name: item + HostRecovery: + type: string + enum: + - 'on' + - 'off' + Host: + type: object + properties: + autoPlacement: + allOf: + - $ref: '#/components/schemas/AutoPlacement' + - description: Whether auto-placement is on or off. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone of the Dedicated Host. + availableCapacity: + allOf: + - $ref: '#/components/schemas/AvailableCapacity' + - description: Information about the instances running on the Dedicated Host. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see Ensuring Idempotency.' + hostId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Dedicated Host. + hostProperties: + allOf: + - $ref: '#/components/schemas/HostProperties' + - description: The hardware specifications of the Dedicated Host. + hostReservationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The reservation ID of the Dedicated Host. This returns a null response if the Dedicated Host doesn't have an associated reservation. + instances: + allOf: + - $ref: '#/components/schemas/HostInstanceList' + - description: The IDs and instance type that are currently running on the Dedicated Host. + state: + allOf: + - $ref: '#/components/schemas/AllocationState' + - description: The Dedicated Host's state. + allocationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that the Dedicated Host was allocated. + releaseTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that the Dedicated Host was released. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the Dedicated Host. + hostRecovery: + allOf: + - $ref: '#/components/schemas/HostRecovery' + - description: Indicates whether host recovery is enabled or disabled for the Dedicated Host. + allowsMultipleInstanceTypes: + allOf: + - $ref: '#/components/schemas/AllowsMultipleInstanceTypes' + - description: 'Indicates whether the Dedicated Host supports multiple instance types of the same instance family. If the value is on, the Dedicated Host supports multiple instance types in the instance family. If the value is off, the Dedicated Host supports a single instance type only.' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the Dedicated Host. + availabilityZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Availability Zone in which the Dedicated Host is allocated. + memberOfServiceLinkedResourceGroup: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether the Dedicated Host is in a host resource group. If memberOfServiceLinkedResourceGroup is true, the host is in a host resource group; otherwise, it is not.' + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Amazon Web Services Outpost on which the Dedicated Host is allocated. + description: Describes the properties of the Dedicated Host. + HostInstance: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of instance that is running on the Dedicated Host. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The instance type (for example, m3.medium) of the running instance.' + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the instance. + description: Describes an instance running on a Dedicated Host. + PaymentOption: + type: string + enum: + - AllUpfront + - PartialUpfront + - NoUpfront + HostOffering: + type: object + properties: + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: The currency of the offering. + duration: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The duration of the offering (in seconds). + hourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The hourly price of the offering. + instanceFamily: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance family of the offering. + offeringId: + allOf: + - $ref: '#/components/schemas/OfferingId' + - description: The ID of the offering. + paymentOption: + allOf: + - $ref: '#/components/schemas/PaymentOption' + - description: The available payment option. + upfrontPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The upfront price of the offering. Does not apply to No Upfront offerings. + description: Details about the Dedicated Host Reservation offering. + ResponseHostIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + ReservationState: + type: string + enum: + - payment-pending + - payment-failed + - active + - retired + HostReservation: + type: object + properties: + count: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of Dedicated Hosts the reservation is associated with. + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency in which the upfrontPrice and hourlyPrice amounts are specified. At this time, the only supported currency is USD.' + duration: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The length of the reservation''s term, specified in seconds. Can be 31536000 (1 year) | 94608000 (3 years).' + end: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time that the reservation ends. + hostIdSet: + allOf: + - $ref: '#/components/schemas/ResponseHostIdSet' + - description: The IDs of the Dedicated Hosts associated with the reservation. + hostReservationId: + allOf: + - $ref: '#/components/schemas/HostReservationId' + - description: The ID of the reservation that specifies the associated Dedicated Hosts. + hourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The hourly price of the reservation. + instanceFamily: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance family of the Dedicated Host Reservation. The instance family on the Dedicated Host must be the same in order for it to benefit from the reservation. + offeringId: + allOf: + - $ref: '#/components/schemas/OfferingId' + - description: The ID of the reservation. This remains the same regardless of which Dedicated Hosts are associated with it. + paymentOption: + allOf: + - $ref: '#/components/schemas/PaymentOption' + - description: The payment option selected for this reservation. + start: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time that the reservation started. + state: + allOf: + - $ref: '#/components/schemas/ReservationState' + - description: The state of the reservation. + upfrontPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The upfront price of the reservation. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the Dedicated Host Reservation. + description: Details about the Dedicated Host Reservation and associated Dedicated Hosts. + HostReservationIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/HostReservationId' + - xml: + name: item + HostTenancy: + type: string + enum: + - dedicated + - host + HostnameType: + type: string + enum: + - ip-name + - resource-name + Hour: + type: integer + minimum: 0 + maximum: 23 + HttpTokensState: + type: string + enum: + - optional + - required + HypervisorType: + type: string + enum: + - ovm + - xen + IKEVersionsListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The IKE version. + description: The internet key exchange (IKE) version permitted for the VPN tunnel. + IKEVersionsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IKEVersionsListValue' + - xml: + name: item + IKEVersionsRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The IKE version. + description: The IKE version that is permitted for the VPN tunnel. + IKEVersionsRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IKEVersionsRequestListValue' + - xml: + name: item + IamInstanceProfile: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the instance profile. + id: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance profile. + description: Describes an IAM instance profile. + IamInstanceProfileAssociationState: + type: string + enum: + - associating + - associated + - disassociating + - disassociated + IdFormat: + type: object + properties: + deadline: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date in UTC at which you are permanently switched over to using longer IDs. If a deadline is not yet available for this resource type, this field is not returned.' + resource: + allOf: + - $ref: '#/components/schemas/String' + - description: The type of resource. + useLongIds: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether longer IDs (17-character IDs) are enabled for the resource. + description: Describes the ID format for a resource. + Igmpv2SupportValue: + type: string + enum: + - enable + - disable + ImageTypeValues: + type: string + enum: + - machine + - kernel + - ramdisk + ImageState: + type: string + enum: + - pending + - available + - invalid + - deregistered + - transient + - failed + - error + StateReason: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason code for the state change. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The message for the state change.

' + description: Describes a state change. + TpmSupportValues: + type: string + enum: + - v2.0 + Image: + type: object + properties: + architecture: + allOf: + - $ref: '#/components/schemas/ArchitectureValues' + - description: The architecture of the image. + creationDate: + allOf: + - $ref: '#/components/schemas/String' + - description: The date and time the image was created. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI. + imageLocation: + allOf: + - $ref: '#/components/schemas/String' + - description: The location of the AMI. + imageType: + allOf: + - $ref: '#/components/schemas/ImageTypeValues' + - description: The type of image. + isPublic: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the image has public launch permissions. The value is true if this image has public launch permissions or false if it has only implicit and explicit launch permissions. + kernelId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The kernel associated with the image, if any. Only applicable for machine images.' + imageOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the image. + platform: + allOf: + - $ref: '#/components/schemas/PlatformValues' + - description: 'This value is set to windows for Windows AMIs; otherwise, it is blank.' + platformDetails: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The platform details associated with the billing code of the AMI. For more information, see Understanding AMI billing in the Amazon Elastic Compute Cloud User Guide.' + usageOperation: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The operation of the Amazon EC2 instance and the billing code that is associated with the AMI. usageOperation corresponds to the lineitem/Operation column on your Amazon Web Services Cost and Usage Report and in the Amazon Web Services Price List API. You can view these fields on the Instances or AMIs pages in the Amazon EC2 console, or in the responses that are returned by the DescribeImages command in the Amazon EC2 API, or the describe-images command in the CLI.' + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: Any product codes associated with the AMI. + ramdiskId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The RAM disk associated with the image, if any. Only applicable for machine images.' + imageState: + allOf: + - $ref: '#/components/schemas/ImageState' + - description: 'The current state of the AMI. If the state is available, the image is successfully registered and can be used to launch an instance.' + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingList' + - description: Any block device mapping entries. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the AMI that was provided during image creation. + enaSupport: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Specifies whether enhanced networking with ENA is enabled. + hypervisor: + allOf: + - $ref: '#/components/schemas/HypervisorType' + - description: The hypervisor type of the image. + imageOwnerAlias: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Amazon Web Services account alias (for example, amazon, self) or the Amazon Web Services account ID of the AMI owner.' + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the AMI that was provided during image creation. + rootDeviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The device name of the root device volume (for example, /dev/sda1).' + rootDeviceType: + allOf: + - $ref: '#/components/schemas/DeviceType' + - description: The type of root device used by the AMI. The AMI can use an Amazon EBS volume or an instance store volume. + sriovNetSupport: + allOf: + - $ref: '#/components/schemas/String' + - description: Specifies whether enhanced networking with the Intel 82599 Virtual Function interface is enabled. + stateReason: + allOf: + - $ref: '#/components/schemas/StateReason' + - description: The reason for the state change. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the image. + virtualizationType: + allOf: + - $ref: '#/components/schemas/VirtualizationType' + - description: The type of virtualization of the AMI. + bootMode: + allOf: + - $ref: '#/components/schemas/BootModeValues' + - description: 'The boot mode of the image. For more information, see Boot modes in the Amazon Elastic Compute Cloud User Guide.' + tpmSupport: + allOf: + - $ref: '#/components/schemas/TpmSupportValues' + - description: 'If the image is configured for NitroTPM support, the value is v2.0. For more information, see NitroTPM in the Amazon Elastic Compute Cloud User Guide.' + deprecationTime: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The date and time to deprecate the AMI, in UTC, in the following format: YYYY-MM-DDTHH:MM:SSZ. If you specified a value for seconds, Amazon EC2 rounds the seconds to the nearest minute.' + description: Describes an image. + ImageAttributeName: + type: string + enum: + - description + - kernel + - ramdisk + - launchPermission + - productCodes + - blockDeviceMapping + - sriovNetSupport + - bootMode + - tpmSupport + - uefiData + - lastLaunchedTime + ImageDiskContainerList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageDiskContainer' + - xml: + name: item + ImageIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageId' + - xml: + name: item + ImageRecycleBinInfo: + type: object + properties: + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the AMI. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the AMI. + recycleBinEnterTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the AMI entered the Recycle Bin. + recycleBinExitTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the AMI is to be permanently deleted from the Recycle Bin. + description: Information about an AMI that is currently in the Recycle Bin. + ImageRecycleBinInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImageRecycleBinInfo' + - xml: + name: item + ImportClientVpnClientCertificateRevocationListRequest: + type: object + required: + - ClientVpnEndpointId + - CertificateRevocationList + title: ImportClientVpnClientCertificateRevocationListRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ImportImageLicenseConfigurationResponse: + type: object + properties: + licenseConfigurationArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of a license configuration. + description: ' The response information for license configurations.' + ImportImageLicenseSpecificationListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportImageLicenseConfigurationRequest' + - xml: + name: item + ImportImageLicenseSpecificationListResponse: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportImageLicenseConfigurationResponse' + - xml: + name: item + ImportImageRequest: + type: object + title: ImportImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: A description string for the import image task. + DiskContainer: + allOf: + - $ref: '#/components/schemas/ImportImageLicenseSpecificationListRequest' + - description: The ARNs of the license configurations. + TagSpecification: + allOf: + - $ref: '#/components/schemas/BootModeValues' + - description: The boot mode of the virtual machine. + SnapshotDetailList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotDetail' + - xml: + name: item + ImportImageTask: + type: object + properties: + architecture: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The architecture of the virtual machine.

Valid values: i386 | x86_64 | arm64

' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the import task. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the image is encrypted. + hypervisor: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The target hypervisor for the import task.

Valid values: xen

' + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Machine Image (AMI) of the imported virtual machine. + importTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the import image task. + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The identifier for the KMS key that was used to create the encrypted image. + licenseType: + allOf: + - $ref: '#/components/schemas/String' + - description: The license type of the virtual machine. + platform: + allOf: + - $ref: '#/components/schemas/String' + - description: The description string for the import image task. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: The percentage of progress of the import image task. + snapshotDetailSet: + allOf: + - $ref: '#/components/schemas/SnapshotDetailList' + - description: Information about the snapshots. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief status for the import image task. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: A descriptive status message for the import image task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the import image task. + licenseSpecifications: + allOf: + - $ref: '#/components/schemas/ImportImageLicenseSpecificationListResponse' + - description: The ARNs of the license configurations that are associated with the import image task. + usageOperation: + allOf: + - $ref: '#/components/schemas/String' + - description: The usage operation value. + bootMode: + allOf: + - $ref: '#/components/schemas/BootModeValues' + - description: The boot mode of the virtual machine. + description: Describes an import image task. + ImportInstanceLaunchSpecification: + type: object + properties: + additionalInfo: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + architecture: + allOf: + - $ref: '#/components/schemas/ArchitectureValues' + - description: The architecture of the instance. + GroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: The security group IDs. + GroupName: + allOf: + - $ref: '#/components/schemas/SecurityGroupStringList' + - description: The security group names. + instanceInitiatedShutdownBehavior: + allOf: + - $ref: '#/components/schemas/ShutdownBehavior' + - description: Indicates whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown). + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: 'The instance type. For more information about the instance types that you can import, see Instance Types in the VM Import/Export User Guide.' + monitoring: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether monitoring is enabled. + placement: + allOf: + - $ref: '#/components/schemas/Placement' + - description: The placement information for the instance. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] An available IP address from the IP address range of the subnet.' + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: '[EC2-VPC] The ID of the subnet in which to launch the instance.' + userData: + allOf: + - $ref: '#/components/schemas/UserData' + - description: The Base64-encoded user data to make available to the instance. + description: Describes the launch specification for VM import. + ImportInstanceRequest: + type: object + required: + - Platform + title: ImportInstanceRequest + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the instance being imported. + diskImage: + allOf: + - $ref: '#/components/schemas/DiskImageList' + - description: The disk image. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + launchSpecification: + allOf: + - $ref: '#/components/schemas/ImportInstanceLaunchSpecification' + - description: The launch specification. + platform: + allOf: + - $ref: '#/components/schemas/PlatformValues' + - description: The instance operating system. + ImportInstanceVolumeDetailSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportInstanceVolumeDetailItem' + - xml: + name: item + ImportInstanceVolumeDetailItem: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone where the resulting instance will reside. + bytesConverted: + allOf: + - $ref: '#/components/schemas/Long' + - description: The number of bytes converted so far. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the task. + image: + allOf: + - $ref: '#/components/schemas/DiskImageDescription' + - description: The image. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: The status of the import of this particular disk image. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The status information or errors related to the disk image. + volume: + allOf: + - $ref: '#/components/schemas/DiskImageVolumeDescription' + - description: The volume. + description: Describes an import volume task. + ImportKeyPairRequest: + type: object + required: + - KeyName + - PublicKeyMaterial + title: ImportKeyPairRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: A unique name for the key pair. + publicKeyMaterial: + allOf: + - $ref: '#/components/schemas/Blob' + - description: 'The public key. For API calls, the text must be base64-encoded. For command line tools, base64 encoding is performed for you.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the imported key pair. + ImportSnapshotRequest: + type: object + title: ImportSnapshotRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the role to use when not using the default role, ''vmimport''.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the import snapshot task during creation. + SnapshotTaskDetail: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the snapshot. + diskImageSize: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The size of the disk in the snapshot, in GiB.' + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the snapshot is encrypted. + format: + allOf: + - $ref: '#/components/schemas/String' + - description: The format of the disk image from which the snapshot is created. + kmsKeyId: + allOf: + - $ref: '#/components/schemas/String' + - description: The identifier for the KMS key that was used to create the encrypted snapshot. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: The percentage of completion for the import snapshot task. + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The snapshot ID of the disk being imported. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief status for the import snapshot task. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: A detailed status message for the import snapshot task. + url: + allOf: + - $ref: '#/components/schemas/String' + - description: The URL of the disk image from which the snapshot is created. + userBucket: + allOf: + - $ref: '#/components/schemas/UserBucketDetails' + - description: The Amazon S3 bucket for the disk image. + description: Details about the import snapshot task. + ImportSnapshotTask: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the import snapshot task. + importTaskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the import snapshot task. + snapshotTaskDetail: + allOf: + - $ref: '#/components/schemas/SnapshotTaskDetail' + - description: Describes an import snapshot task. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the import snapshot task. + description: Describes an import snapshot task. + ImportSnapshotTaskIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportSnapshotTaskId' + - xml: + name: ImportTaskId + ImportTaskIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ImportImageTaskId' + - xml: + name: ImportTaskId + ImportVolumeRequest: + type: object + required: + - AvailabilityZone + - Image + - Volume + title: ImportVolumeRequest + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone for the resulting EBS volume. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the volume. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + image: + allOf: + - $ref: '#/components/schemas/DiskImageDetail' + - description: The disk image. + volume: + allOf: + - $ref: '#/components/schemas/VolumeDetail' + - description: The volume size. + InferenceDeviceInfoList: + type: array + items: + $ref: '#/components/schemas/InferenceDeviceInfo' + InferenceAcceleratorInfo: + type: object + properties: + accelerators: + allOf: + - $ref: '#/components/schemas/InferenceDeviceInfoList' + - description: Describes the Inference accelerators for the instance type. + description: Describes the Inference accelerators for the instance type. + InferenceDeviceCount: + type: integer + InferenceDeviceName: + type: string + InferenceDeviceManufacturerName: + type: string + InferenceDeviceInfo: + type: object + properties: + count: + allOf: + - $ref: '#/components/schemas/InferenceDeviceCount' + - description: The number of Inference accelerators for the instance type. + name: + allOf: + - $ref: '#/components/schemas/InferenceDeviceName' + - description: The name of the Inference accelerator. + manufacturer: + allOf: + - $ref: '#/components/schemas/InferenceDeviceManufacturerName' + - description: The manufacturer of the Inference accelerator. + description: Describes the Inference accelerators for the instance type. + Monitoring: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/MonitoringState' + - description: 'Indicates whether detailed monitoring is enabled. Otherwise, basic monitoring is enabled.' + description: Describes the monitoring of an instance. + InstanceState: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The state of the instance as a 16-bit unsigned integer.

The high byte is all of the bits between 2^8 and (2^16)-1, which equals decimal values between 256 and 65,535. These numerical values are used for internal purposes and should be ignored.

The low byte is all of the bits between 2^0 and (2^8)-1, which equals decimal values between 0 and 255.

The valid values for instance-state-code will all be in the range of the low byte and they are:

You can ignore the high byte value by zeroing out all of the bits above 2^8 or 256 in decimal.

' + name: + allOf: + - $ref: '#/components/schemas/InstanceStateName' + - description: The current state of the instance. + description: Describes the current state of an instance. + InstanceBlockDeviceMappingList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceBlockDeviceMapping' + - xml: + name: item + InstanceLifecycleType: + type: string + enum: + - spot + - scheduled + InstanceNetworkInterfaceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterface' + - xml: + name: item + LicenseList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LicenseConfiguration' + - xml: + name: item + InstanceMetadataOptionsResponse: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/InstanceMetadataOptionsState' + - description:

The state of the metadata option changes.

pending - The metadata options are being updated and the instance is not ready to process metadata traffic with the new selection.

applied - The metadata options have been successfully applied on the instance.

+ httpTokens: + allOf: + - $ref: '#/components/schemas/HttpTokensState' + - description: '

The state of token usage for your instance metadata requests.

If the state is optional, you can choose to retrieve instance metadata with or without a signed token header on your request. If you retrieve the IAM role credentials without a token, the version 1.0 role credentials are returned. If you retrieve the IAM role credentials using a valid signed token, the version 2.0 role credentials are returned.

If the state is required, you must send a signed token header with any instance metadata retrieval requests. In this state, retrieving the IAM role credential always returns the version 2.0 credentials; the version 1.0 credentials are not available.

Default: optional

' + httpPutResponseHopLimit: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The desired HTTP PUT response hop limit for instance metadata requests. The larger the number, the further instance metadata requests can travel.

Default: 1

Possible values: Integers from 1 to 64

' + httpEndpoint: + allOf: + - $ref: '#/components/schemas/InstanceMetadataEndpointState' + - description: '

Indicates whether the HTTP metadata endpoint on your instances is enabled or disabled.

If the value is disabled, you cannot access your instance metadata.

' + httpProtocolIpv6: + allOf: + - $ref: '#/components/schemas/InstanceMetadataProtocolState' + - description: Indicates whether the IPv6 endpoint for the instance metadata service is enabled or disabled. + instanceMetadataTags: + allOf: + - $ref: '#/components/schemas/InstanceMetadataTagsState' + - description: 'Indicates whether access to instance tags from the instance metadata is enabled or disabled. For more information, see Work with instance tags using the instance metadata.' + description: The metadata options for the instance. + PrivateDnsNameOptionsResponse: + type: object + properties: + hostnameType: + allOf: + - $ref: '#/components/schemas/HostnameType' + - description: The type of hostname to assign to an instance. + enableResourceNameDnsARecord: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS A records. + enableResourceNameDnsAAAARecord: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + description: Describes the options for instance hostnames. + InstanceMaintenanceOptions: + type: object + properties: + autoRecovery: + allOf: + - $ref: '#/components/schemas/InstanceAutoRecoveryState' + - description: Provides information on the current automatic recovery behavior of your instance. + description: The maintenance options for the instance. + Instance: + type: object + properties: + amiLaunchIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The AMI launch index, which can be used to find this instance in the launch group.' + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI used to launch the instance. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + kernelId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The kernel associated with this instance, if applicable.' + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The name of the key pair, if this instance was launched with an associated key pair.' + launchTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the instance was launched. + monitoring: + allOf: + - $ref: '#/components/schemas/Monitoring' + - description: The monitoring for the instance. + placement: + allOf: + - $ref: '#/components/schemas/Placement' + - description: 'The location where the instance launched, if applicable.' + platform: + allOf: + - $ref: '#/components/schemas/PlatformValues' + - description: The value is Windows for Windows instances; otherwise blank. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: '

(IPv4 only) The private DNS hostname name assigned to the instance. This DNS hostname can only be used inside the Amazon EC2 network. This name is not available until the instance enters the running state.

[EC2-VPC] The Amazon-provided DNS server resolves Amazon-provided private DNS hostnames if you''ve enabled DNS resolution and DNS hostnames in your VPC. If you are not using the Amazon-provided DNS server in your VPC, your custom domain name servers must resolve the hostname as appropriate.

' + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IPv4 address assigned to the instance. + productCodes: + allOf: + - $ref: '#/components/schemas/ProductCodeList' + - description: 'The product codes attached to this instance, if applicable.' + dnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: '(IPv4 only) The public DNS name assigned to the instance. This name is not available until the instance enters the running state. For EC2-VPC, this name is only available if you''ve enabled DNS hostnames for your VPC.' + ipAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The public IPv4 address, or the Carrier IP address assigned to the instance, if applicable.

A Carrier IP address only applies to an instance launched in a subnet associated with a Wavelength Zone.

' + ramdiskId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The RAM disk associated with this instance, if applicable.' + instanceState: + allOf: + - $ref: '#/components/schemas/InstanceState' + - description: The current state of the instance. + reason: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason for the most recent state transition. This might be an empty string. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] The ID of the subnet in which the instance is running.' + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: '[EC2-VPC] The ID of the VPC in which the instance is running.' + architecture: + allOf: + - $ref: '#/components/schemas/ArchitectureValues' + - description: The architecture of the image. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/InstanceBlockDeviceMappingList' + - description: Any block device mapping entries for the instance. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The idempotency token you provided when you launched the instance, if applicable.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the instance is optimized for Amazon EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal I/O performance. This optimization isn't available with all instance types. Additional usage charges apply when using an EBS Optimized instance. + enaSupport: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Specifies whether enhanced networking with ENA is enabled. + hypervisor: + allOf: + - $ref: '#/components/schemas/HypervisorType' + - description: The hypervisor type of the instance. The value xen is used for both Xen and Nitro hypervisors. + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfile' + - description: 'The IAM instance profile associated with the instance, if applicable.' + instanceLifecycle: + allOf: + - $ref: '#/components/schemas/InstanceLifecycleType' + - description: Indicates whether this is a Spot Instance or a Scheduled Instance. + elasticGpuAssociationSet: + allOf: + - $ref: '#/components/schemas/ElasticGpuAssociationList' + - description: The Elastic GPU associated with the instance. + elasticInferenceAcceleratorAssociationSet: + allOf: + - $ref: '#/components/schemas/ElasticInferenceAcceleratorAssociationList' + - description: ' The elastic inference accelerator associated with the instance.' + networkInterfaceSet: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceList' + - description: '[EC2-VPC] The network interfaces for the instance.' + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + rootDeviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The device name of the root device volume (for example, /dev/sda1).' + rootDeviceType: + allOf: + - $ref: '#/components/schemas/DeviceType' + - description: The root device type used by the AMI. The AMI can use an EBS volume or an instance store volume. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: The security groups for the instance. + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether source/destination checking is enabled. + spotInstanceRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'If the request is a Spot Instance request, the ID of the request.' + sriovNetSupport: + allOf: + - $ref: '#/components/schemas/String' + - description: Specifies whether enhanced networking with the Intel 82599 Virtual Function interface is enabled. + stateReason: + allOf: + - $ref: '#/components/schemas/StateReason' + - description: The reason for the most recent state transition. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the instance. + virtualizationType: + allOf: + - $ref: '#/components/schemas/VirtualizationType' + - description: The virtualization type of the instance. + cpuOptions: + allOf: + - $ref: '#/components/schemas/CpuOptions' + - description: The CPU options for the instance. + capacityReservationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Capacity Reservation. + capacityReservationSpecification: + allOf: + - $ref: '#/components/schemas/CapacityReservationSpecificationResponse' + - description: Information about the Capacity Reservation targeting option. + hibernationOptions: + allOf: + - $ref: '#/components/schemas/HibernationOptions' + - description: Indicates whether the instance is enabled for hibernation. + licenseSet: + allOf: + - $ref: '#/components/schemas/LicenseList' + - description: The license configurations for the instance. + metadataOptions: + allOf: + - $ref: '#/components/schemas/InstanceMetadataOptionsResponse' + - description: The metadata options for the instance. + enclaveOptions: + allOf: + - $ref: '#/components/schemas/EnclaveOptions' + - description: Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. + bootMode: + allOf: + - $ref: '#/components/schemas/BootModeValues' + - description: 'The boot mode of the instance. For more information, see Boot modes in the Amazon EC2 User Guide.' + platformDetails: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The platform details value for the instance. For more information, see AMI billing information fields in the Amazon EC2 User Guide.' + usageOperation: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The usage operation value for the instance. For more information, see AMI billing information fields in the Amazon EC2 User Guide.' + usageOperationUpdateTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time that the usage operation was last updated. + privateDnsNameOptions: + allOf: + - $ref: '#/components/schemas/PrivateDnsNameOptionsResponse' + - description: The options for the instance hostname. + ipv6Address: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 address assigned to the instance. + tpmSupport: + allOf: + - $ref: '#/components/schemas/String' + - description: 'If the instance is configured for NitroTPM support, the value is v2.0. For more information, see NitroTPM in the Amazon EC2 User Guide.' + maintenanceOptions: + allOf: + - $ref: '#/components/schemas/InstanceMaintenanceOptions' + - description: Provides information on the recovery and maintenance options of your instance. + description: Describes an instance. + InstanceBlockDeviceMapping: + type: object + properties: + deviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The device name (for example, /dev/sdh or xvdh).' + ebs: + allOf: + - $ref: '#/components/schemas/EbsInstanceBlockDevice' + - description: Parameters used to automatically set up EBS volumes when the instance is launched. + description: Describes a block device mapping. + InstanceBlockDeviceMappingSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceBlockDeviceMappingSpecification' + - xml: + name: item + ListingState: + type: string + enum: + - available + - sold + - cancelled + - pending + InstanceCount: + type: object + properties: + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of listed Reserved Instances in the state specified by the state. + state: + allOf: + - $ref: '#/components/schemas/ListingState' + - description: The states of the listed Reserved Instances. + description: Describes a Reserved Instance listing state. + InstanceCountList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceCount' + - xml: + name: item + InstanceCreditSpecification: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + cpuCredits: + allOf: + - $ref: '#/components/schemas/String' + - description: The credit option for CPU usage of the instance. Valid values are standard and unlimited. + description: 'Describes the credit option for CPU usage of a burstable performance instance. ' + InstanceCreditSpecificationListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceCreditSpecificationRequest' + - xml: + name: item + InstanceEventId: + type: string + InstanceEventWindowTimeRangeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowTimeRange' + - xml: + name: item + InstanceEventWindowAssociationTarget: + type: object + properties: + instanceIdSet: + allOf: + - $ref: '#/components/schemas/InstanceIdList' + - description: The IDs of the instances associated with the event window. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The instance tags associated with the event window. Any instances associated with the tags will be associated with the event window. + dedicatedHostIdSet: + allOf: + - $ref: '#/components/schemas/DedicatedHostIdList' + - description: The IDs of the Dedicated Hosts associated with the event window. + description: One or more targets associated with the event window. + InstanceEventWindowState: + type: string + enum: + - creating + - deleting + - active + - deleted + WeekDay: + type: string + enum: + - sunday + - monday + - tuesday + - wednesday + - thursday + - friday + - saturday + InstanceEventWindowTimeRange: + type: object + properties: + startWeekDay: + allOf: + - $ref: '#/components/schemas/WeekDay' + - description: The day on which the time range begins. + startHour: + allOf: + - $ref: '#/components/schemas/Hour' + - description: The hour when the time range begins. + endWeekDay: + allOf: + - $ref: '#/components/schemas/WeekDay' + - description: The day on which the time range ends. + endHour: + allOf: + - $ref: '#/components/schemas/Hour' + - description: The hour when the time range ends. + description: 'The start day and time and the end day and time of the time range, in UTC.' + InstanceEventWindowTimeRangeRequestSet: + type: array + items: + $ref: '#/components/schemas/InstanceEventWindowTimeRangeRequest' + InstanceGeneration: + type: string + enum: + - current + - previous + InstanceGenerationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceGeneration' + - xml: + name: item + InstanceIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceId' + - xml: + name: item + InstanceIpv4Prefix: + type: object + properties: + ipv4Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: One or more IPv4 prefixes assigned to the network interface. + description: Information about an IPv4 prefix. + InstanceIpv4PrefixList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceIpv4Prefix' + - xml: + name: item + InstanceIpv6AddressRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 address. + description: Describes an IPv6 address. + InstanceIpv6AddressListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceIpv6AddressRequest' + - xml: + name: InstanceIpv6Address + InstanceIpv6Prefix: + type: object + properties: + ipv6Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: One or more IPv6 prefixes assigned to the network interface. + description: Information about an IPv6 prefix. + InstanceIpv6PrefixList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceIpv6Prefix' + - xml: + name: item + InstanceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Instance' + - xml: + name: item + InstanceMaintenanceOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceAutoRecoveryState' + - description: 'Disables the automatic recovery behavior of your instance or sets it to default. For more information, see Simplified automatic recovery.' + description: The maintenance options for the instance. + InstanceMarketOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SpotMarketOptions' + - description: The options for Spot Instances. + description: Describes the market (purchasing) option for the instances. + InstanceMetadataEndpointState: + type: string + enum: + - disabled + - enabled + InstanceMetadataOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceMetadataTagsState' + - description: '

Set to enabled to allow access to instance tags from the instance metadata. Set to disabled to turn off access to instance tags from the instance metadata. For more information, see Work with instance tags using the instance metadata.

Default: disabled

' + description: The metadata options for the instance. + InstanceMetadataOptionsState: + type: string + enum: + - pending + - applied + InstanceMetadataProtocolState: + type: string + enum: + - disabled + - enabled + InstanceMonitoring: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + monitoring: + allOf: + - $ref: '#/components/schemas/Monitoring' + - description: The monitoring for the instance. + description: Describes the monitoring of an instance. + InstanceMonitoringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceMonitoring' + - xml: + name: item + InstanceNetworkInterfaceAssociation: + type: object + properties: + carrierIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The carrier IP address associated with the network interface. + customerOwnedIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The customer-owned IP address associated with the network interface. + ipOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the owner of the Elastic IP address. + publicDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The public DNS name. + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The public IP address or Elastic IP address bound to the network interface. + description: Describes association information for an Elastic IP address (IPv4). + InstanceNetworkInterfaceAttachment: + type: object + properties: + attachTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time stamp when the attachment initiated. + attachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface attachment. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the network interface is deleted when the instance is terminated. + deviceIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the device on the instance for the network interface attachment. + status: + allOf: + - $ref: '#/components/schemas/AttachmentStatus' + - description: The attachment state. + networkCardIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the network card. + description: Describes a network interface attachment. + InstancePrivateIpAddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstancePrivateIpAddress' + - xml: + name: item + NetworkInterfaceStatus: + type: string + enum: + - available + - associated + - attaching + - in-use + - detaching + InstanceNetworkInterface: + type: object + properties: + association: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceAssociation' + - description: The association information for an Elastic IPv4 associated with the network interface. + attachment: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceAttachment' + - description: The network interface attachment. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: One or more security groups. + ipv6AddressesSet: + allOf: + - $ref: '#/components/schemas/InstanceIpv6AddressList' + - description: One or more IPv6 addresses associated with the network interface. + macAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The MAC address. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that created the network interface. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private DNS name. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 address of the network interface within the subnet. + privateIpAddressesSet: + allOf: + - $ref: '#/components/schemas/InstancePrivateIpAddressList' + - description: One or more private IPv4 addresses associated with the network interface. + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether source/destination checking is enabled. + status: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceStatus' + - description: The status of the network interface. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + interfaceType: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The type of network interface.

Valid values: interface | efa | trunk

' + ipv4PrefixSet: + allOf: + - $ref: '#/components/schemas/InstanceIpv4PrefixList' + - description: The IPv4 delegated prefixes that are assigned to the network interface. + ipv6PrefixSet: + allOf: + - $ref: '#/components/schemas/InstanceIpv6PrefixList' + - description: The IPv6 delegated prefixes that are assigned to the network interface. + description: Describes a network interface. + InstancePrivateIpAddress: + type: object + properties: + association: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceAssociation' + - description: The association information for an Elastic IP address for the network interface. + primary: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this IPv4 address is the primary private IP address of the network interface. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IPv4 DNS name. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IPv4 address of the network interface. + description: Describes a private IPv4 address. + VCpuCountRange: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The minimum number of vCPUs. If the value is 0, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of vCPUs. If this parameter is not specified, there is no maximum limit.' + description: The minimum and maximum number of vCPUs. + MemoryMiB: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The minimum amount of memory, in MiB. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum amount of memory, in MiB. If this parameter is not specified, there is no maximum limit.' + description: 'The minimum and maximum amount of memory, in MiB.' + MemoryGiBPerVCpu: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The minimum amount of memory per vCPU, in GiB. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The maximum amount of memory per vCPU, in GiB. If this parameter is not specified, there is no maximum limit.' + description: '

The minimum and maximum amount of memory per vCPU, in GiB.

' + NetworkInterfaceCount: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The minimum number of network interfaces. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of network interfaces. If this parameter is not specified, there is no maximum limit.' + description: The minimum and maximum number of network interfaces. + LocalStorageTypeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalStorageType' + - xml: + name: item + TotalLocalStorageGB: + type: object + properties: + min: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The minimum amount of total local storage, in GB. If this parameter is not specified, there is no minimum limit.' + max: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The maximum amount of total local storage, in GB. If this parameter is not specified, there is no maximum limit.' + description: 'The minimum and maximum amount of total local storage, in GB.' + InstanceRequirementsWithMetadataRequest: + type: object + properties: + ArchitectureType: + allOf: + - $ref: '#/components/schemas/ArchitectureTypeSet' + - description: The architecture type. + VirtualizationType: + allOf: + - $ref: '#/components/schemas/InstanceRequirementsRequest' + - description: 'The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.' + description: '

The architecture type, virtualization type, and other attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.

If you specify InstanceRequirementsWithMetadataRequest, you can''t specify InstanceTypes.

' + InstanceSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Excludes the root volume from being snapshotted. + description: The instance details to specify which volumes should be snapshotted. + InstanceStateName: + type: string + enum: + - pending + - running + - shutting-down + - terminated + - stopping + - stopped + InstanceStateChange: + type: object + properties: + currentState: + allOf: + - $ref: '#/components/schemas/InstanceState' + - description: The current state of the instance. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + previousState: + allOf: + - $ref: '#/components/schemas/InstanceState' + - description: The previous state of the instance. + description: Describes an instance state change. + InstanceStateChangeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceStateChange' + - xml: + name: item + InstanceStatusEventList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceStatusEvent' + - xml: + name: item + InstanceStatusSummary: + type: object + properties: + details: + allOf: + - $ref: '#/components/schemas/InstanceStatusDetailsList' + - description: The system instance health or application instance health. + status: + allOf: + - $ref: '#/components/schemas/SummaryStatus' + - description: The status. + description: Describes the status of an instance. + InstanceStatus: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone of the instance. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + eventsSet: + allOf: + - $ref: '#/components/schemas/InstanceStatusEventList' + - description: Any scheduled events associated with the instance. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + instanceState: + allOf: + - $ref: '#/components/schemas/InstanceState' + - description: The intended state of the instance. DescribeInstanceStatus requires that an instance be in the running state. + instanceStatus: + allOf: + - $ref: '#/components/schemas/InstanceStatusSummary' + - description: 'Reports impaired functionality that stems from issues internal to the instance, such as impaired reachability.' + systemStatus: + allOf: + - $ref: '#/components/schemas/InstanceStatusSummary' + - description: 'Reports impaired functionality that stems from issues related to the systems that support an instance, such as hardware failures and network connectivity problems.' + description: Describes the status of an instance. + StatusName: + type: string + enum: + - reachability + StatusType: + type: string + enum: + - passed + - failed + - insufficient-data + - initializing + InstanceStatusDetails: + type: object + properties: + impairedSince: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The time when a status check failed. For an instance that was launched and impaired, this is the time when the instance was launched.' + name: + allOf: + - $ref: '#/components/schemas/StatusName' + - description: The type of instance status. + status: + allOf: + - $ref: '#/components/schemas/StatusType' + - description: The status. + description: Describes the instance status. + InstanceStatusDetailsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InstanceStatusDetails' + - xml: + name: item + InstanceStatusEvent: + type: object + properties: + instanceEventId: + allOf: + - $ref: '#/components/schemas/InstanceEventId' + - description: The ID of the event. + code: + allOf: + - $ref: '#/components/schemas/EventCode' + - description: The event code. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A description of the event.

After a scheduled event is completed, it can still be described for up to a week. If the event has been completed, this description starts with the following text: [Completed].

' + notAfter: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The latest scheduled end time for the event. + notBefore: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The earliest scheduled start time for the event. + notBeforeDeadline: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The deadline for starting the event. + description: Describes a scheduled event for an instance. + SummaryStatus: + type: string + enum: + - ok + - impaired + - insufficient-data + - not-applicable + - initializing + InstanceStorageEncryptionSupport: + type: string + enum: + - unsupported + - required + InstanceStorageFlag: + type: boolean + InstanceStorageInfo: + type: object + properties: + totalSizeInGB: + allOf: + - $ref: '#/components/schemas/DiskSize' + - description: 'The total size of the disks, in GB.' + disks: + allOf: + - $ref: '#/components/schemas/DiskInfoList' + - description: Describes the disks that are available for the instance type. + nvmeSupport: + allOf: + - $ref: '#/components/schemas/EphemeralNvmeSupport' + - description: Indicates whether non-volatile memory express (NVMe) is supported. + encryptionSupport: + allOf: + - $ref: '#/components/schemas/InstanceStorageEncryptionSupport' + - description: Indicates whether data is encrypted at rest. + description: Describes the instance store features that are supported by the instance type. + InstanceTypeHypervisor: + type: string + enum: + - nitro + - xen + UsageClassTypeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/UsageClassType' + - xml: + name: item + RootDeviceTypeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RootDeviceType' + - xml: + name: item + VirtualizationTypeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VirtualizationType' + - xml: + name: item + ProcessorInfo: + type: object + properties: + supportedArchitectures: + allOf: + - $ref: '#/components/schemas/ArchitectureTypeList' + - description: The architectures supported by the instance type. + sustainedClockSpeedInGhz: + allOf: + - $ref: '#/components/schemas/ProcessorSustainedClockSpeed' + - description: 'The speed of the processor, in GHz.' + description: Describes the processor used by the instance type. + VCpuInfo: + type: object + properties: + defaultVCpus: + allOf: + - $ref: '#/components/schemas/VCpuCount' + - description: The default number of vCPUs for the instance type. + defaultCores: + allOf: + - $ref: '#/components/schemas/CoreCount' + - description: The default number of cores for the instance type. + defaultThreadsPerCore: + allOf: + - $ref: '#/components/schemas/ThreadsPerCore' + - description: The default number of threads per core for the instance type. + validCores: + allOf: + - $ref: '#/components/schemas/CoreCountList' + - description: The valid number of cores that can be configured for the instance type. + validThreadsPerCore: + allOf: + - $ref: '#/components/schemas/ThreadsPerCoreList' + - description: 'The valid number of threads per core that can be configured for the instance type. ' + description: Describes the vCPU configurations for the instance type. + MemoryInfo: + type: object + properties: + sizeInMiB: + allOf: + - $ref: '#/components/schemas/MemorySize' + - description: 'The size of the memory, in MiB.' + description: Describes the memory for the instance type. + NetworkInfo: + type: object + properties: + networkPerformance: + allOf: + - $ref: '#/components/schemas/NetworkPerformance' + - description: The network performance. + maximumNetworkInterfaces: + allOf: + - $ref: '#/components/schemas/MaxNetworkInterfaces' + - description: The maximum number of network interfaces for the instance type. + maximumNetworkCards: + allOf: + - $ref: '#/components/schemas/MaximumNetworkCards' + - description: The maximum number of physical network cards that can be allocated to the instance. + defaultNetworkCardIndex: + allOf: + - $ref: '#/components/schemas/DefaultNetworkCardIndex' + - description: 'The index of the default network card, starting at 0.' + networkCards: + allOf: + - $ref: '#/components/schemas/NetworkCardInfoList' + - description: Describes the network cards for the instance type. + ipv4AddressesPerInterface: + allOf: + - $ref: '#/components/schemas/MaxIpv4AddrPerInterface' + - description: The maximum number of IPv4 addresses per network interface. + ipv6AddressesPerInterface: + allOf: + - $ref: '#/components/schemas/MaxIpv6AddrPerInterface' + - description: The maximum number of IPv6 addresses per network interface. + ipv6Supported: + allOf: + - $ref: '#/components/schemas/Ipv6Flag' + - description: Indicates whether IPv6 is supported. + enaSupport: + allOf: + - $ref: '#/components/schemas/EnaSupport' + - description: Indicates whether Elastic Network Adapter (ENA) is supported. + efaSupported: + allOf: + - $ref: '#/components/schemas/EfaSupportedFlag' + - description: Indicates whether Elastic Fabric Adapter (EFA) is supported. + efaInfo: + allOf: + - $ref: '#/components/schemas/EfaInfo' + - description: Describes the Elastic Fabric Adapters for the instance type. + encryptionInTransitSupported: + allOf: + - $ref: '#/components/schemas/EncryptionInTransitSupported' + - description: Indicates whether the instance type automatically encrypts in-transit traffic between instances. + description: Describes the networking features of the instance type. + PlacementGroupInfo: + type: object + properties: + supportedStrategies: + allOf: + - $ref: '#/components/schemas/PlacementGroupStrategyList' + - description: The supported placement group types. + description: Describes the placement group support of the instance type. + InstanceTypeInfo: + type: object + properties: + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: 'The instance type. For more information, see Instance types in the Amazon EC2 User Guide.' + currentGeneration: + allOf: + - $ref: '#/components/schemas/CurrentGenerationFlag' + - description: Indicates whether the instance type is current generation. + freeTierEligible: + allOf: + - $ref: '#/components/schemas/FreeTierEligibleFlag' + - description: Indicates whether the instance type is eligible for the free tier. + supportedUsageClasses: + allOf: + - $ref: '#/components/schemas/UsageClassTypeList' + - description: Indicates whether the instance type is offered for spot or On-Demand. + supportedRootDeviceTypes: + allOf: + - $ref: '#/components/schemas/RootDeviceTypeList' + - description: The supported root device types. + supportedVirtualizationTypes: + allOf: + - $ref: '#/components/schemas/VirtualizationTypeList' + - description: The supported virtualization types. + bareMetal: + allOf: + - $ref: '#/components/schemas/BareMetalFlag' + - description: Indicates whether the instance is a bare metal instance type. + hypervisor: + allOf: + - $ref: '#/components/schemas/InstanceTypeHypervisor' + - description: The hypervisor for the instance type. + processorInfo: + allOf: + - $ref: '#/components/schemas/ProcessorInfo' + - description: Describes the processor. + vCpuInfo: + allOf: + - $ref: '#/components/schemas/VCpuInfo' + - description: Describes the vCPU configurations for the instance type. + memoryInfo: + allOf: + - $ref: '#/components/schemas/MemoryInfo' + - description: Describes the memory for the instance type. + instanceStorageSupported: + allOf: + - $ref: '#/components/schemas/InstanceStorageFlag' + - description: Indicates whether instance storage is supported. + instanceStorageInfo: + allOf: + - $ref: '#/components/schemas/InstanceStorageInfo' + - description: Describes the instance storage for the instance type. + ebsInfo: + allOf: + - $ref: '#/components/schemas/EbsInfo' + - description: Describes the Amazon EBS settings for the instance type. + networkInfo: + allOf: + - $ref: '#/components/schemas/NetworkInfo' + - description: Describes the network settings for the instance type. + gpuInfo: + allOf: + - $ref: '#/components/schemas/GpuInfo' + - description: Describes the GPU accelerator settings for the instance type. + fpgaInfo: + allOf: + - $ref: '#/components/schemas/FpgaInfo' + - description: Describes the FPGA accelerator settings for the instance type. + placementGroupInfo: + allOf: + - $ref: '#/components/schemas/PlacementGroupInfo' + - description: Describes the placement group settings for the instance type. + inferenceAcceleratorInfo: + allOf: + - $ref: '#/components/schemas/InferenceAcceleratorInfo' + - description: Describes the Inference accelerator settings for the instance type. + hibernationSupported: + allOf: + - $ref: '#/components/schemas/HibernationFlag' + - description: Indicates whether On-Demand hibernation is supported. + burstablePerformanceSupported: + allOf: + - $ref: '#/components/schemas/BurstablePerformanceFlag' + - description: Indicates whether the instance type is a burstable performance instance type. + dedicatedHostsSupported: + allOf: + - $ref: '#/components/schemas/DedicatedHostFlag' + - description: Indicates whether Dedicated Hosts are supported on the instance type. + autoRecoverySupported: + allOf: + - $ref: '#/components/schemas/AutoRecoveryFlag' + - description: Indicates whether auto recovery is supported. + supportedBootModes: + allOf: + - $ref: '#/components/schemas/BootModeTypeList' + - description: 'The supported boot modes. For more information, see Boot modes in the Amazon EC2 User Guide.' + description: Describes the instance type. + InstanceTypeInfoFromInstanceRequirements: + type: object + properties: + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The matching instance type. + description: The list of instance types with the specified instance attributes. + Location: + type: string + InstanceTypeOffering: + type: object + properties: + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: 'The instance type. For more information, see Instance types in the Amazon EC2 User Guide.' + locationType: + allOf: + - $ref: '#/components/schemas/LocationType' + - description: The location type. + location: + allOf: + - $ref: '#/components/schemas/Location' + - description: 'The identifier for the location. This depends on the location type. For example, if the location type is region, the location is the Region code (for example, us-east-2.)' + description: The instance types offered. + InstanceTypes: + type: array + items: + $ref: '#/components/schemas/String' + minItems: 0 + maxItems: 1000 + InstanceUsage: + type: object + properties: + accountId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that is making use of the Capacity Reservation. + usedInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of instances the Amazon Web Services account currently has in the Capacity Reservation. + description: Information about the Capacity Reservation usage. + InterfacePermissionType: + type: string + enum: + - INSTANCE-ATTACH + - EIP-ASSOCIATE + InterfaceProtocolType: + type: string + enum: + - VLAN + - GRE + InternetGatewayAttachment: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/AttachmentStatus' + - description: 'The current state of the attachment. For an internet gateway, the state is available when attached to a VPC; otherwise, this value is not returned.' + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + description: Describes the attachment of a VPC to an internet gateway or an egress-only internet gateway. + InternetGatewayIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/InternetGatewayId' + - xml: + name: item + IpAddressType: + type: string + enum: + - ipv4 + - dualstack + - ipv6 + IpRangeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpRange' + - xml: + name: item + Ipv6RangeList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6Range' + - xml: + name: item + PrefixListIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrefixListId' + - xml: + name: item + UserIdGroupPairList: + type: array + items: + allOf: + - $ref: '#/components/schemas/UserIdGroupPair' + - xml: + name: item + IpRange: + type: object + properties: + cidrIp: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 CIDR range. You can either specify a CIDR range or a source security group, not both. To specify a single IPv4 address, use the /32 prefix length.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A description for the security group rule that references this IPv4 address range.

Constraints: Up to 255 characters in length. Allowed characters are a-z, A-Z, 0-9, spaces, and ._-:/()#,@[]+=&;{}!$*

' + description: Describes an IPv4 range. + IpRanges: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + IpamId: + type: string + IpamOperatingRegionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamOperatingRegion' + - xml: + name: item + IpamState: + type: string + enum: + - create-in-progress + - create-complete + - create-failed + - modify-in-progress + - modify-complete + - modify-failed + - delete-in-progress + - delete-complete + - delete-failed + - isolate-in-progress + - isolate-complete + - restore-in-progress + IpamAddressHistoryMaxResults: + type: integer + minimum: 1 + maximum: 1000 + IpamAddressHistoryResourceType: + type: string + enum: + - eip + - vpc + - subnet + - network-interface + - instance + IpamComplianceStatus: + type: string + enum: + - compliant + - noncompliant + - unmanaged + - ignored + IpamOverlapStatus: + type: string + enum: + - overlapping + - nonoverlapping + - ignored + IpamAddressHistoryRecord: + type: object + properties: + resourceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource owner. + resourceRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services Region of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/IpamAddressHistoryResourceType' + - description: The type of the resource. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR of the resource. + resourceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the resource. + resourceComplianceStatus: + allOf: + - $ref: '#/components/schemas/IpamComplianceStatus' + - description: 'The compliance status of a resource. For more information on compliance statuses, see Monitor CIDR usage by resource in the Amazon VPC IPAM User Guide.' + resourceOverlapStatus: + allOf: + - $ref: '#/components/schemas/IpamOverlapStatus' + - description: 'The overlap status of an IPAM resource. The overlap status tells you if the CIDR for a resource overlaps with another CIDR in the scope. For more information on overlap statuses, see Monitor CIDR usage by resource in the Amazon VPC IPAM User Guide.' + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The VPC ID of the resource. + sampledStartTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: 'Sampled start time of the resource-to-CIDR association within the IPAM scope. Changes are picked up in periodic snapshots, so the start time may have occurred before this specific time.' + sampledEndTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: 'Sampled end time of the resource-to-CIDR association within the IPAM scope. Changes are picked up in periodic snapshots, so the end time may have occurred before this specific time.' + description: 'The historical record of a CIDR within an IPAM scope. For more information, see View the history of IP addresses in the Amazon VPC IPAM User Guide. ' + IpamCidrAuthorizationContext: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The signed authorization message for the prefix and account. + description: A signed document that proves that you are authorized to bring the specified IP address range to Amazon using BYOIP. + IpamManagementState: + type: string + enum: + - managed + - unmanaged + - ignored + IpamMaxResults: + type: integer + minimum: 5 + maximum: 1000 + IpamOperatingRegion: + type: object + properties: + regionName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the operating Region. + description: '

The operating Regions for an IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + IpamScopeType: + type: string + enum: + - public + - private + IpamPoolState: + type: string + enum: + - create-in-progress + - create-complete + - create-failed + - modify-in-progress + - modify-complete + - modify-failed + - delete-in-progress + - delete-complete + - delete-failed + - isolate-in-progress + - isolate-complete + - restore-in-progress + IpamResourceTagList: + type: array + items: + allOf: + - $ref: '#/components/schemas/IpamResourceTag' + - xml: + name: item + IpamPoolAllocationResourceType: + type: string + enum: + - ipam-pool + - vpc + - ec2-public-ipv4-pool + - custom + IpamPoolCidrState: + type: string + enum: + - pending-provision + - provisioned + - failed-provision + - pending-deprovision + - deprovisioned + - failed-deprovision + - pending-import + - failed-import + IpamPoolCidrFailureReason: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/IpamPoolCidrFailureCode' + - description: An error code related to why an IPAM pool CIDR failed to be provisioned. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: A message related to why an IPAM pool CIDR failed to be provisioned. + description: Details related to why an IPAM pool CIDR failed to be provisioned. + IpamPoolCidrFailureCode: + type: string + enum: + - cidr-not-available + IpamResourceType: + type: string + enum: + - vpc + - subnet + - eip + - public-ipv4-pool + - ipv6-pool + IpamResourceCidr: + type: object + properties: + ipamId: + allOf: + - $ref: '#/components/schemas/IpamId' + - description: The IPAM ID for an IPAM resource. + ipamScopeId: + allOf: + - $ref: '#/components/schemas/IpamScopeId' + - description: The scope ID for an IPAM resource. + ipamPoolId: + allOf: + - $ref: '#/components/schemas/IpamPoolId' + - description: The pool ID for an IPAM resource. + resourceRegion: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services Region for an IPAM resource. + resourceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account number of the owner of an IPAM resource. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of an IPAM resource. + resourceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of an IPAM resource. + resourceCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR for an IPAM resource. + resourceType: + allOf: + - $ref: '#/components/schemas/IpamResourceType' + - description: The type of IPAM resource. + resourceTagSet: + allOf: + - $ref: '#/components/schemas/IpamResourceTagList' + - description: The tags for an IPAM resource. + ipUsage: + allOf: + - $ref: '#/components/schemas/BoxedDouble' + - description: 'The IP address space in the IPAM pool that is allocated to this resource. To convert the decimal to a percentage, multiply the decimal by 100.' + complianceStatus: + allOf: + - $ref: '#/components/schemas/IpamComplianceStatus' + - description: 'The compliance status of the IPAM resource. For more information on compliance statuses, see Monitor CIDR usage by resource in the Amazon VPC IPAM User Guide.' + managementState: + allOf: + - $ref: '#/components/schemas/IpamManagementState' + - description: 'The management state of the resource. For more information about management states, see Monitor CIDR usage by resource in the Amazon VPC IPAM User Guide.' + overlapStatus: + allOf: + - $ref: '#/components/schemas/IpamOverlapStatus' + - description: 'The overlap status of an IPAM resource. The overlap status tells you if the CIDR for a resource overlaps with another CIDR in the scope. For more information on overlap statuses, see Monitor CIDR usage by resource in the Amazon VPC IPAM User Guide.' + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a VPC. + description: The CIDR for an IPAM resource. + IpamResourceTag: + type: object + properties: + key: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The key of a tag assigned to the resource. Use this filter to find all resources assigned a tag with a specific key, regardless of the tag value.' + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The value of the tag. + description: 'The key/value combination of a tag assigned to the resource. Use the tag key in the filter name and the tag value as the filter value. For example, to find all resources that have a tag with the key Owner and the value TeamA, specify tag:Owner for the filter name and TeamA for the filter value.' + IpamScopeState: + type: string + enum: + - create-in-progress + - create-complete + - create-failed + - modify-in-progress + - modify-complete + - modify-failed + - delete-in-progress + - delete-complete + - delete-failed + - isolate-in-progress + - isolate-complete + - restore-in-progress + Ipv4PrefixList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixSpecificationRequest' + - xml: + name: item + Ipv4PrefixSpecificationResponse: + type: object + properties: + ipv4Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: One or more IPv4 delegated prefixes assigned to the network interface. + description: Information about the IPv4 delegated prefixes assigned to a network interface. + Ipv4PrefixListResponse: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixSpecificationResponse' + - xml: + name: item + Ipv4PrefixSpecification: + type: object + properties: + ipv4Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 prefix. For information, see Assigning prefixes to Amazon EC2 network interfaces in the Amazon Elastic Compute Cloud User Guide.' + description: Describes an IPv4 prefix. + Ipv6Address: + type: string + Ipv6CidrAssociation: + type: object + properties: + ipv6Cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR block. + associatedResource: + allOf: + - $ref: '#/components/schemas/String' + - description: The resource that's associated with the IPv6 CIDR block. + description: Describes an IPv6 CIDR block association. + Ipv6CidrBlock: + type: object + properties: + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR block. + description: Describes an IPv6 CIDR block. + Ipv6CidrBlockSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6CidrBlock' + - xml: + name: item + Ipv6Flag: + type: boolean + PoolCidrBlocksSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PoolCidrBlock' + - xml: + name: item + Ipv6Pool: + type: object + properties: + poolId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the address pool. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the address pool. + poolCidrBlockSet: + allOf: + - $ref: '#/components/schemas/PoolCidrBlocksSet' + - description: The CIDR blocks for the address pool. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags for the address pool. + description: Describes an IPv6 address pool. + Ipv6PoolIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6PoolEc2Id' + - xml: + name: item + Ipv6PoolMaxResults: + type: integer + minimum: 1 + maximum: 1000 + Ipv6PrefixList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6PrefixSpecificationRequest' + - xml: + name: item + Ipv6PrefixSpecificationResponse: + type: object + properties: + ipv6Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: One or more IPv6 delegated prefixes assigned to the network interface. + description: Information about the IPv6 delegated prefixes assigned to a network interface. + Ipv6PrefixListResponse: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6PrefixSpecificationResponse' + - xml: + name: item + Ipv6PrefixSpecification: + type: object + properties: + ipv6Prefix: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 prefix. + description: Describes the IPv6 prefix. + Ipv6PrefixesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv6PrefixSpecification' + - xml: + name: item + Ipv6Range: + type: object + properties: + cidrIpv6: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv6 CIDR range. You can either specify a CIDR range or a source security group, not both. To specify a single IPv6 address, use the /128 prefix length.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A description for the security group rule that references this IPv6 address range.

Constraints: Up to 255 characters in length. Allowed characters are a-z, A-Z, 0-9, spaces, and ._-:/()#,@[]+=&;{}!$*

' + description: '[EC2-VPC only] Describes an IPv6 range.' + Ipv6SupportValue: + type: string + enum: + - enable + - disable + SensitiveUserData: + type: string + format: password + KeyPairInfo: + type: object + properties: + keyPairId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the key pair. + keyFingerprint: + allOf: + - $ref: '#/components/schemas/String' + - description: '

If you used CreateKeyPair to create the key pair:

If you used ImportKeyPair to provide Amazon Web Services the public key:

' + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the key pair. + keyType: + allOf: + - $ref: '#/components/schemas/KeyType' + - description: The type of key pair. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags applied to the key pair. + publicKey: + allOf: + - $ref: '#/components/schemas/String' + - description: The public key material. + createTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: '

If you used Amazon EC2 to create the key pair, this is the date and time when the key was created, in ISO 8601 date-time format, in the UTC time zone.

If you imported an existing key pair to Amazon EC2, this is the date and time the key was imported, in ISO 8601 date-time format, in the UTC time zone.

' + description: Describes a key pair. + LastError: + type: object + properties: + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The error message for the VPC endpoint error. + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The error code for the VPC endpoint error. + description: The last error that occurred for a VPC endpoint. + LaunchPermission: + type: object + properties: + group: + allOf: + - $ref: '#/components/schemas/PermissionGroup' + - description: The name of the group. + userId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The Amazon Web Services account ID.

Constraints: Up to 10 000 account IDs can be specified in a single request.

' + organizationArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of an organization. + organizationalUnitArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of an organizational unit (OU). + description: Describes a launch permission. + LaunchPermissionModifications: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchPermissionList' + - description: 'The Amazon Web Services account ID, organization ARN, or OU ARN to remove from the list of launch permissions for the AMI.' + description: Describes a launch permission modification. + LaunchSpecification: + type: object + properties: + userData: + allOf: + - $ref: '#/components/schemas/String' + - description: The Base64-encoded user data for the instance. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: 'One or more security groups. When requesting instances in a VPC, you must specify the IDs of the security groups. When requesting instances in EC2-Classic, you can specify the names or the IDs of the security groups.' + addressingType: + allOf: + - $ref: '#/components/schemas/String' + - description: Deprecated. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingList' + - description: One or more block device mapping entries. + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether the instance is optimized for EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal EBS I/O performance. This optimization isn''t available with all instance types. Additional usage charges apply when using an EBS Optimized instance.

Default: false

' + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileSpecification' + - description: The IAM instance profile. + imageId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. Only one instance type can be specified. + kernelId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the kernel. + keyName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the key pair. + networkInterfaceSet: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecificationList' + - description: 'One or more network interfaces. If you specify a network interface, you must specify subnet IDs and security group IDs using the network interface.' + placement: + allOf: + - $ref: '#/components/schemas/SpotPlacement' + - description: The placement information for the instance. + ramdiskId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the RAM disk. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet in which to launch the instance. + monitoring: + $ref: '#/components/schemas/RunInstancesMonitoringEnabled' + description: Describes the launch specification for an instance. + SpotFleetLaunchSpecification: + type: object + properties: + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdentifierList' + - description: 'One or more security groups. When requesting instances in a VPC, you must specify the IDs of the security groups. When requesting instances in EC2-Classic, you can specify the names or the IDs of the security groups.' + addressingType: + allOf: + - $ref: '#/components/schemas/String' + - description: Deprecated. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingList' + - description: 'One or more block devices that are mapped to the Spot Instances. You can''t specify both a snapshot ID and an encryption value. This is because only blank volumes can be encrypted on creation. If a snapshot is the basis for a volume, it is not blank and its encryption status is used for the volume encryption status.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether the instances are optimized for EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal EBS I/O performance. This optimization isn''t available with all instance types. Additional usage charges apply when using an EBS Optimized instance.

Default: false

' + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileSpecification' + - description: The IAM instance profile. + imageId: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the AMI. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + kernelId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the kernel. + keyName: + allOf: + - $ref: '#/components/schemas/KeyPairName' + - description: The name of the key pair. + monitoring: + allOf: + - $ref: '#/components/schemas/SpotFleetMonitoring' + - description: Enable or disable monitoring for the instances. + networkInterfaceSet: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecificationList' + - description: '

One or more network interfaces. If you specify a network interface, you must specify subnet IDs and security group IDs using the network interface.

SpotFleetLaunchSpecification currently does not support Elastic Fabric Adapter (EFA). To specify an EFA, you must use LaunchTemplateConfig.

' + placement: + allOf: + - $ref: '#/components/schemas/SpotPlacement' + - description: The placement information. + ramdiskId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the RAM disk. Some kernels require additional drivers at launch. Check the kernel requirements for information about whether you need to specify a RAM disk. To find kernel requirements, refer to the Amazon Web Services Resource Center and search for the kernel ID.' + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The maximum price per unit hour that you are willing to pay for a Spot Instance. If this value is not specified, the default is the Spot price specified for the fleet. To determine the Spot price per unit hour, divide the Spot price by the value of WeightedCapacity.' + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: 'The IDs of the subnets in which to launch the instances. To specify multiple subnets, separate them using commas; for example, "subnet-1234abcdeexample1, subnet-0987cdef6example2".' + userData: + allOf: + - $ref: '#/components/schemas/String' + - description: The Base64-encoded user data that instances use when starting up. + weightedCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: '

The number of units provided by the specified instance type. These are the same units that you chose to set the target capacity in terms of instances, or a performance characteristic such as vCPUs, memory, or I/O.

If the target capacity divided by this value is not a whole number, Amazon EC2 rounds the number of instances to the next whole number. If this value is not specified, the default is 1.

' + tagSpecificationSet: + allOf: + - $ref: '#/components/schemas/SpotFleetTagSpecificationList' + - description: The tags to apply during creation. + instanceRequirements: + allOf: + - $ref: '#/components/schemas/InstanceRequirements' + - description: '

The attributes for the instance types. When you specify instance attributes, Amazon EC2 will identify instance types with those attributes.

If you specify InstanceRequirements, you can''t specify InstanceTypes.

' + description: 'Describes the launch specification for one or more Spot Instances. If you include On-Demand capacity in your fleet request or want to specify an EFA network device, you can''t use SpotFleetLaunchSpecification; you must use LaunchTemplateConfig.' + LaunchTemplateAutoRecoveryState: + type: string + enum: + - default + - disabled + LaunchTemplateEbsBlockDevice: + type: object + properties: + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the EBS volume is encrypted. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the EBS volume is deleted on instance termination. + iops: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of I/O operations per second (IOPS) that the volume supports. ' + kmsKeyId: + allOf: + - $ref: '#/components/schemas/KmsKeyId' + - description: The ARN of the Key Management Service (KMS) CMK used for encryption. + snapshotId: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the snapshot. + volumeSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The size of the volume, in GiB.' + volumeType: + allOf: + - $ref: '#/components/schemas/VolumeType' + - description: The volume type. + throughput: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The throughput that the volume supports, in MiB/s.' + description: Describes a block device for an EBS volume. + LaunchTemplateBlockDeviceMapping: + type: object + properties: + deviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The device name. + virtualName: + allOf: + - $ref: '#/components/schemas/String' + - description: The virtual device name (ephemeralN). + ebs: + allOf: + - $ref: '#/components/schemas/LaunchTemplateEbsBlockDevice' + - description: Information about the block device for an EBS volume. + noDevice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'To omit the device from the block device mapping, specify an empty string.' + description: Describes a block device mapping. + LaunchTemplateBlockDeviceMappingList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateBlockDeviceMapping' + - xml: + name: item + LaunchTemplateBlockDeviceMappingRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'To omit the device from the block device mapping, specify an empty string.' + description: Describes a block device mapping. + LaunchTemplateCapacityReservationSpecificationResponse: + type: object + properties: + capacityReservationPreference: + allOf: + - $ref: '#/components/schemas/CapacityReservationPreference' + - description: '

Indicates the instance''s Capacity Reservation preferences. Possible preferences include:

' + capacityReservationTarget: + allOf: + - $ref: '#/components/schemas/CapacityReservationTargetResponse' + - description: Information about the target Capacity Reservation or Capacity Reservation group. + description: Information about the Capacity Reservation targeting option. + LaunchTemplateOverridesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateOverrides' + - xml: + name: item + LaunchTemplateCpuOptions: + type: object + properties: + coreCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of CPU cores for the instance. + threadsPerCore: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of threads per CPU core. + description: The CPU options for the instance. + LaunchTemplateCpuOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of threads per CPU core. To disable multithreading for the instance, specify a value of 1. Otherwise, specify the default value of 2.' + description: The CPU options for the instance. Both the core count and threads per core must be specified in the request. + LaunchTemplateEbsBlockDeviceRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The throughput to provision for a gp3 volume, with a maximum of 1,000 MiB/s.

Valid Range: Minimum value of 125. Maximum value of 1000.

' + description: The parameters for a block device for an EBS volume. + LaunchTemplateElasticInferenceAcceleratorCount: + type: integer + minimum: 1 + LaunchTemplateElasticInferenceAccelerator: + type: object + required: + - Type + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAcceleratorCount' + - description: '

The number of elastic inference accelerators to attach to the instance.

Default: 1

' + description: ' Describes an elastic inference accelerator. ' + LaunchTemplateElasticInferenceAcceleratorResponse: + type: object + properties: + type: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The type of elastic inference accelerator. The possible values are eia1.medium, eia1.large, and eia1.xlarge. ' + count: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of elastic inference accelerators to attach to the instance.

Default: 1

' + description: ' Describes an elastic inference accelerator. ' + LaunchTemplateElasticInferenceAcceleratorResponseList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateElasticInferenceAcceleratorResponse' + - xml: + name: item + LaunchTemplateEnclaveOptions: + type: object + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If this parameter is set to true, the instance is enabled for Amazon Web Services Nitro Enclaves; otherwise, it is not enabled for Amazon Web Services Nitro Enclaves.' + description: Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. + LaunchTemplateEnclaveOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'To enable the instance for Amazon Web Services Nitro Enclaves, set this parameter to true.' + description: 'Indicates whether the instance is enabled for Amazon Web Services Nitro Enclaves. For more information, see What is Amazon Web Services Nitro Enclaves? in the Amazon Web Services Nitro Enclaves User Guide.' + LaunchTemplateErrorCode: + type: string + enum: + - launchTemplateIdDoesNotExist + - launchTemplateIdMalformed + - launchTemplateNameDoesNotExist + - launchTemplateNameMalformed + - launchTemplateVersionDoesNotExist + - unexpectedError + LaunchTemplateHibernationOptions: + type: object + properties: + configured: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If this parameter is set to true, the instance is enabled for hibernation; otherwise, it is not enabled for hibernation.' + description: Indicates whether an instance is configured for hibernation. + LaunchTemplateHibernationOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If you set this parameter to true, the instance is enabled for hibernation.

Default: false

' + description: 'Indicates whether the instance is configured for hibernation. This parameter is valid only if the instance meets the hibernation prerequisites.' + LaunchTemplateHttpTokensState: + type: string + enum: + - optional + - required + LaunchTemplateIamInstanceProfileSpecification: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the instance profile. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the instance profile. + description: Describes an IAM instance profile. + LaunchTemplateInstanceMaintenanceOptions: + type: object + properties: + autoRecovery: + allOf: + - $ref: '#/components/schemas/LaunchTemplateAutoRecoveryState' + - description: Disables the automatic recovery behavior of your instance or sets it to default. + description: The maintenance options of your instance. + MarketType: + type: string + enum: + - spot + LaunchTemplateSpotMarketOptions: + type: object + properties: + maxPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum hourly price you're willing to pay for the Spot Instances. + spotInstanceType: + allOf: + - $ref: '#/components/schemas/SpotInstanceType' + - description: The Spot Instance request type. + blockDurationMinutes: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The required duration for the Spot Instances (also known as Spot blocks), in minutes. This value must be a multiple of 60 (60, 120, 180, 240, 300, or 360).' + validUntil: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The end date of the request. For a one-time request, the request remains active until all instances launch, the request is canceled, or this date is reached. If the request is persistent, it remains active until it is canceled or this date and time is reached.' + instanceInterruptionBehavior: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. + description: The options for Spot Instances. + LaunchTemplateInstanceMarketOptions: + type: object + properties: + marketType: + allOf: + - $ref: '#/components/schemas/MarketType' + - description: The market type. + spotOptions: + allOf: + - $ref: '#/components/schemas/LaunchTemplateSpotMarketOptions' + - description: The options for Spot Instances. + description: The market (purchasing) option for the instances. + LaunchTemplateSpotMarketOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. The default is terminate. + description: The options for Spot Instances. + LaunchTemplateInstanceMarketOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateSpotMarketOptionsRequest' + - description: The options for Spot Instances. + description: The market (purchasing) option for the instances. + LaunchTemplateInstanceMetadataEndpointState: + type: string + enum: + - disabled + - enabled + LaunchTemplateInstanceMetadataOptionsState: + type: string + enum: + - pending + - applied + LaunchTemplateInstanceMetadataProtocolIpv6: + type: string + enum: + - disabled + - enabled + LaunchTemplateInstanceMetadataTagsState: + type: string + enum: + - disabled + - enabled + LaunchTemplateInstanceMetadataOptions: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMetadataOptionsState' + - description:

The state of the metadata option changes.

pending - The metadata options are being updated and the instance is not ready to process metadata traffic with the new selection.

applied - The metadata options have been successfully applied on the instance.

+ httpTokens: + allOf: + - $ref: '#/components/schemas/LaunchTemplateHttpTokensState' + - description: '

The state of token usage for your instance metadata requests. If the parameter is not specified in the request, the default state is optional.

If the state is optional, you can choose to retrieve instance metadata with or without a signed token header on your request. If you retrieve the IAM role credentials without a token, the version 1.0 role credentials are returned. If you retrieve the IAM role credentials using a valid signed token, the version 2.0 role credentials are returned.

If the state is required, you must send a signed token header with any instance metadata retrieval requests. In this state, retrieving the IAM role credentials always returns the version 2.0 credentials; the version 1.0 credentials are not available.

' + httpPutResponseHopLimit: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The desired HTTP PUT response hop limit for instance metadata requests. The larger the number, the further instance metadata requests can travel.

Default: 1

Possible values: Integers from 1 to 64

' + httpEndpoint: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMetadataEndpointState' + - description: '

Enables or disables the HTTP metadata endpoint on your instances. If the parameter is not specified, the default state is enabled.

If you specify a value of disabled, you will not be able to access your instance metadata.

' + httpProtocolIpv6: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMetadataProtocolIpv6' + - description: '

Enables or disables the IPv6 endpoint for the instance metadata service.

Default: disabled

' + instanceMetadataTags: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMetadataTagsState' + - description: '

Set to enabled to allow access to instance tags from the instance metadata. Set to disabled to turn off access to instance tags from the instance metadata. For more information, see Work with instance tags using the instance metadata.

Default: disabled

' + description: 'The metadata options for the instance. For more information, see Instance Metadata and User Data in the Amazon Elastic Compute Cloud User Guide.' + LaunchTemplateInstanceMetadataOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceMetadataTagsState' + - description: '

Set to enabled to allow access to instance tags from the instance metadata. Set to disabled to turn off access to instance tags from the instance metadata. For more information, see Work with instance tags using the instance metadata.

Default: disabled

' + description: 'The metadata options for the instance. For more information, see Instance Metadata and User Data in the Amazon Elastic Compute Cloud User Guide.' + LaunchTemplateInstanceNetworkInterfaceSpecification: + type: object + properties: + associateCarrierIpAddress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether to associate a Carrier IP address with eth0 for a new network interface.

Use this option when you launch an instance in a Wavelength Zone and want to associate a Carrier IP address with the network interface. For more information about Carrier IP addresses, see Carrier IP addresses in the Wavelength Developer Guide.

' + associatePublicIpAddress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to associate a public IPv4 address with eth0 for a new network interface. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the network interface is deleted when the instance is terminated. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the network interface. + deviceIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The device index for the network interface attachment. + groupSet: + allOf: + - $ref: '#/components/schemas/GroupIdStringList' + - description: The IDs of one or more security groups. + interfaceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The type of network interface. + ipv6AddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv6 addresses for the network interface. + ipv6AddressesSet: + allOf: + - $ref: '#/components/schemas/InstanceIpv6AddressList' + - description: The IPv6 addresses for the network interface. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The primary private IPv4 address of the network interface. + privateIpAddressesSet: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressSpecificationList' + - description: One or more private IPv4 addresses. + secondaryPrivateIpAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of secondary private IPv4 addresses for the network interface. + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet for the network interface. + networkCardIndex: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the network card. + ipv4PrefixSet: + allOf: + - $ref: '#/components/schemas/Ipv4PrefixListResponse' + - description: One or more IPv4 prefixes assigned to the network interface. + ipv4PrefixCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv4 prefixes that Amazon Web Services automatically assigned to the network interface. + ipv6PrefixSet: + allOf: + - $ref: '#/components/schemas/Ipv6PrefixListResponse' + - description: One or more IPv6 prefixes assigned to the network interface. + ipv6PrefixCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv6 prefixes that Amazon Web Services automatically assigned to the network interface. + description: Describes a network interface. + LaunchTemplateInstanceNetworkInterfaceSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceNetworkInterfaceSpecification' + - xml: + name: item + LaunchTemplateInstanceNetworkInterfaceSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The device index for the network interface attachment. + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the network card. Some instance types support multiple network cards. The primary network interface must be assigned to network card index 0. The default is network card index 0. + Ipv4Prefix: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv4 prefixes to be automatically assigned to the network interface. You cannot use this option if you use the Ipv4Prefix option. + Ipv6Prefix: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv6 prefixes to be automatically assigned to the network interface. You cannot use this option if you use the Ipv6Prefix option. + description: The parameters for a network interface. + LaunchTemplateInstanceNetworkInterfaceSpecificationRequestList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateInstanceNetworkInterfaceSpecificationRequest' + - xml: + name: InstanceNetworkInterfaceSpecification + LaunchTemplateLicenseConfiguration: + type: object + properties: + licenseConfigurationArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the license configuration. + description: Describes a license configuration. + LaunchTemplateLicenseConfigurationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the license configuration. + description: Describes a license configuration. + LaunchTemplateLicenseList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateLicenseConfiguration' + - xml: + name: item + LaunchTemplateLicenseSpecificationListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateLicenseConfigurationRequest' + - xml: + name: item + LaunchTemplateOverrides: + type: object + properties: + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per unit hour that you are willing to pay for a Spot Instance. + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet in which to launch the instances. + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which to launch the instances. + weightedCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of units provided by the specified instance type. + priority: + allOf: + - $ref: '#/components/schemas/Double' + - description: '

The priority for the launch template override. The highest priority is launched first.

If OnDemandAllocationStrategy is set to prioritized, Spot Fleet uses priority to determine which launch template override to use first in fulfilling On-Demand capacity.

If the Spot AllocationStrategy is set to capacityOptimizedPrioritized, Spot Fleet uses priority on a best-effort basis to determine which launch template override to use in fulfilling Spot capacity, but optimizes for capacity first.

Valid values are whole numbers starting at 0. The lower the number, the higher the priority. If no number is set, the launch template override has the lowest priority. You can set the same priority for different launch template overrides.

' + instanceRequirements: + allOf: + - $ref: '#/components/schemas/InstanceRequirements' + - description: '

The instance requirements. When you specify instance requirements, Amazon EC2 will identify instance types with the provided requirements, and then use your On-Demand and Spot allocation strategies to launch instances from these instance types, in the same way as when you specify a list of instance types.

If you specify InstanceRequirements, you can''t specify InstanceTypes.

' + description: Describes overrides for a launch template. + LaunchTemplatePlacement: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone of the instance. + affinity: + allOf: + - $ref: '#/components/schemas/String' + - description: The affinity setting for the instance on the Dedicated Host. + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the placement group for the instance. + hostId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Dedicated Host for the instance. + tenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: 'The tenancy of the instance (if the instance is running in a VPC). An instance with a tenancy of dedicated runs on single-tenant hardware. ' + spreadDomain: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved for future use. + hostResourceGroupArn: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the host resource group in which to launch the instances. ' + partitionNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of the partition the instance should launch in. Valid only if the placement group strategy is set to partition. + description: Describes the placement of an instance. + LaunchTemplatePlacementRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of the partition the instance should launch in. Valid only if the placement group strategy is set to partition. + description: Describes the placement of an instance. + LaunchTemplatePrivateDnsNameOptions: + type: object + properties: + hostnameType: + allOf: + - $ref: '#/components/schemas/HostnameType' + - description: The type of hostname to assign to an instance. + enableResourceNameDnsARecord: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS A records. + enableResourceNameDnsAAAARecord: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + description: Describes the options for instance hostnames. + LaunchTemplatePrivateDnsNameOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + description: Describes the options for instance hostnames. + LaunchTemplateSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The version number of the launch template.

Default: The default version for the launch template.

' + description: 'The launch template to use. You must specify either the launch template ID or launch template name in the request, but not both.' + SpotInstanceType: + type: string + enum: + - one-time + - persistent + ResourceType: + type: string + enum: + - capacity-reservation + - client-vpn-endpoint + - customer-gateway + - carrier-gateway + - dedicated-host + - dhcp-options + - egress-only-internet-gateway + - elastic-ip + - elastic-gpu + - export-image-task + - export-instance-task + - fleet + - fpga-image + - host-reservation + - image + - import-image-task + - import-snapshot-task + - instance + - instance-event-window + - internet-gateway + - ipam + - ipam-pool + - ipam-scope + - ipv4pool-ec2 + - ipv6pool-ec2 + - key-pair + - launch-template + - local-gateway + - local-gateway-route-table + - local-gateway-virtual-interface + - local-gateway-virtual-interface-group + - local-gateway-route-table-vpc-association + - local-gateway-route-table-virtual-interface-group-association + - natgateway + - network-acl + - network-interface + - network-insights-analysis + - network-insights-path + - network-insights-access-scope + - network-insights-access-scope-analysis + - placement-group + - prefix-list + - replace-root-volume-task + - reserved-instances + - route-table + - security-group + - security-group-rule + - snapshot + - spot-fleet-request + - spot-instances-request + - subnet + - subnet-cidr-reservation + - traffic-mirror-filter + - traffic-mirror-session + - traffic-mirror-target + - transit-gateway + - transit-gateway-attachment + - transit-gateway-connect-peer + - transit-gateway-multicast-domain + - transit-gateway-route-table + - volume + - vpc + - vpc-endpoint + - vpc-endpoint-service + - vpc-peering-connection + - vpn-connection + - vpn-gateway + - vpc-flow-log + LaunchTemplateTagSpecification: + type: object + properties: + resourceType: + allOf: + - $ref: '#/components/schemas/ResourceType' + - description: The type of resource. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the resource. + description: The tag specification for the launch template. + LaunchTemplateTagSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LaunchTemplateTagSpecification' + - xml: + name: item + LaunchTemplateTagSpecificationRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ResourceType' + - description: 'The type of resource to tag. Currently, the resource types that support tagging on creation are instance, volume, elastic-gpu, network-interface, and spot-instances-request. To tag a resource after it has been created, see CreateTags.' + Tag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags to apply to the resource. + description: The tags specification for the launch template. + VersionDescription: + type: string + minLength: 0 + maxLength: 255 + LaunchTemplatesMonitoring: + type: object + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether detailed monitoring is enabled. Otherwise, basic monitoring is enabled.' + description: Describes the monitoring for the instance. + LaunchTemplatesMonitoringRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Specify true to enable detailed monitoring. Otherwise, basic monitoring is enabled.' + description: Describes the monitoring for the instance. + LicenseConfiguration: + type: object + properties: + licenseConfigurationArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the license configuration. + description: Describes a license configuration. + LicenseSpecificationListRequest: + type: array + items: + allOf: + - $ref: '#/components/schemas/LicenseConfigurationRequest' + - xml: + name: item + ListImagesInRecycleBinMaxResults: + type: integer + minimum: 1 + maximum: 1000 + ListImagesInRecycleBinRequest: + type: object + title: ListImagesInRecycleBinRequest + properties: + ImageId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ListSnapshotsInRecycleBinMaxResults: + type: integer + minimum: 5 + maximum: 1000 + ListSnapshotsInRecycleBinRequest: + type: object + title: ListSnapshotsInRecycleBinRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The token for the next page of results. + SnapshotId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SnapshotRecycleBinInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SnapshotRecycleBinInfo' + - xml: + name: item + ListingStatus: + type: string + enum: + - active + - pending + - cancelled + - closed + TargetGroupsConfig: + type: object + properties: + targetGroups: + allOf: + - $ref: '#/components/schemas/TargetGroups' + - description: One or more target groups. + description: Describes the target groups to attach to a Spot Fleet. Spot Fleet registers the running Spot Instances with these target groups. + LoadPermission: + type: object + properties: + userId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID. + group: + allOf: + - $ref: '#/components/schemas/PermissionGroup' + - description: The name of the group. + description: Describes a load permission. + LoadPermissionRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID. + description: Describes a load permission. + LoadPermissionModifications: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LoadPermissionListRequest' + - description: The load permissions to remove. + description: Describes modifications to the load permissions of an Amazon FPGA image (AFI). + LocalGateway: + type: object + properties: + localGatewayId: + allOf: + - $ref: '#/components/schemas/LocalGatewayId' + - description: The ID of the local gateway. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The state of the local gateway. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the local gateway. + description: Describes a local gateway. + LocalGatewayMaxResults: + type: integer + minimum: 5 + maximum: 1000 + LocalGatewayRouteType: + type: string + enum: + - static + - propagated + LocalGatewayRouteState: + type: string + enum: + - pending + - active + - blackhole + - deleting + - deleted + LocalGatewayRouteList: + type: array + items: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoute' + - xml: + name: item + LocalGatewayRouteTable: + type: object + properties: + localGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway route table. + localGatewayRouteTableArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the local gateway route table. + localGatewayId: + allOf: + - $ref: '#/components/schemas/LocalGatewayId' + - description: The ID of the local gateway. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway route table. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The state of the local gateway route table. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the local gateway route table. + description: Describes a local gateway route table. + LocalGatewayRouteTableVirtualInterfaceGroupAssociation: + type: object + properties: + localGatewayRouteTableVirtualInterfaceGroupAssociationId: + allOf: + - $ref: '#/components/schemas/LocalGatewayRouteTableVirtualInterfaceGroupAssociationId' + - description: The ID of the association. + localGatewayVirtualInterfaceGroupId: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupId' + - description: The ID of the virtual interface group. + localGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway. + localGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/LocalGatewayId' + - description: The ID of the local gateway route table. + localGatewayRouteTableArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the local gateway route table for the virtual interface group. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway virtual interface group association. + state: + allOf: + - $ref: '#/components/schemas/String' + - description: The state of the association. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the association. + description: Describes an association between a local gateway route table and a virtual interface group. + LocalGatewayVirtualInterface: + type: object + properties: + localGatewayVirtualInterfaceId: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceId' + - description: The ID of the virtual interface. + localGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway. + vlan: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The ID of the VLAN. + localAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The local address. + peerAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The peer address. + localBgpAsn: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The Border Gateway Protocol (BGP) Autonomous System Number (ASN) of the local gateway. + peerBgpAsn: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The peer BGP ASN. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway virtual interface. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the virtual interface. + description: Describes a local gateway virtual interface. + LocalGatewayVirtualInterfaceGroup: + type: object + properties: + localGatewayVirtualInterfaceGroupId: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceGroupId' + - description: The ID of the virtual interface group. + localGatewayVirtualInterfaceIdSet: + allOf: + - $ref: '#/components/schemas/LocalGatewayVirtualInterfaceIdSet' + - description: The IDs of the virtual interfaces. + localGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the local gateway virtual interface group. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags assigned to the virtual interface group. + description: Describes a local gateway virtual interface group. + LocalStorageType: + type: string + enum: + - hdd + - ssd + PrefixListState: + type: string + enum: + - create-in-progress + - create-complete + - create-failed + - modify-in-progress + - modify-complete + - modify-failed + - restore-in-progress + - restore-complete + - restore-failed + - delete-in-progress + - delete-complete + - delete-failed + MaxIpv4AddrPerInterface: + type: integer + MaxIpv6AddrPerInterface: + type: integer + MaxNetworkInterfaces: + type: integer + MaxResults: + type: integer + MaximumNetworkCards: + type: integer + MembershipType: + type: string + enum: + - static + - igmp + MemorySize: + type: integer + ModifyAddressAttributeRequest: + type: object + required: + - AllocationId + title: ModifyAddressAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyAvailabilityZoneGroupRequest: + type: object + required: + - GroupName + - OptInStatus + title: ModifyAvailabilityZoneGroupRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyAvailabilityZoneOptInStatus: + type: string + enum: + - opted-in + - not-opted-in + ModifyCapacityReservationFleetRequest: + type: object + required: + - CapacityReservationFleetId + title: ModifyCapacityReservationFleetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether to remove the end date from the Capacity Reservation Fleet. If you remove the end date, the Capacity Reservation Fleet does not expire and it remains active until you explicitly cancel it using the CancelCapacityReservationFleet action.

You can''t specify RemoveEndDate and EndDate in the same request.

' + ModifyCapacityReservationRequest: + type: object + required: + - CapacityReservationId + title: ModifyCapacityReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved for future use. + ModifyClientVpnEndpointRequest: + type: object + required: + - ClientVpnEndpointId + title: ModifyClientVpnEndpointRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/ClientLoginBannerOptions' + - description: Options for enabling a customizable text banner that will be displayed on Amazon Web Services provided clients when a VPN session is established. + ModifyDefaultCreditSpecificationRequest: + type: object + required: + - InstanceFamily + - CpuCredits + title: ModifyDefaultCreditSpecificationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The credit option for CPU usage of the instance family.

Valid Values: standard | unlimited

' + ModifyEbsDefaultKmsKeyIdRequest: + type: object + required: + - KmsKeyId + title: ModifyEbsDefaultKmsKeyIdRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyFleetRequest: + type: object + required: + - FleetId + title: ModifyFleetRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/FleetExcessCapacityTerminationPolicy' + - description: Indicates whether running instances should be terminated if the total target capacity of the EC2 Fleet is decreased below the current size of the EC2 Fleet. + LaunchTemplateConfig: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + OperationType: + type: string + enum: + - add + - remove + UserIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserId + UserGroupStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: UserGroup + ModifyFpgaImageAttributeRequest: + type: object + required: + - FpgaImageId + title: ModifyFpgaImageAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/OperationType' + - description: The operation type. + UserId: + allOf: + - $ref: '#/components/schemas/UserIdStringList' + - description: The Amazon Web Services account IDs. This parameter is valid only when modifying the loadPermission attribute. + UserGroup: + allOf: + - $ref: '#/components/schemas/UserGroupStringList' + - description: The user groups. This parameter is valid only when modifying the loadPermission attribute. + ProductCode: + allOf: + - $ref: '#/components/schemas/String' + - description: A name for the AFI. + ModifyHostsRequest: + type: object + required: + - HostIds + title: ModifyHostsRequest + properties: + autoPlacement: + allOf: + - $ref: '#/components/schemas/AutoPlacement' + - description: Specify whether to enable or disable auto-placement. + hostId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Specifies the instance family to be supported by the Dedicated Host. Specify this parameter to modify a Dedicated Host to support multiple instance types within its current instance family.

If you want to modify a Dedicated Host to support a specific instance type only, omit this parameter and specify InstanceType instead. You cannot specify InstanceFamily and InstanceType in the same request.

' + UnsuccessfulItemList: + type: array + items: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItem' + - xml: + name: item + ModifyIdFormatRequest: + type: object + required: + - Resource + - UseLongIds + title: ModifyIdFormatRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicate whether the resource should use longer IDs (17-character IDs). + ModifyIdentityIdFormatRequest: + type: object + required: + - PrincipalArn + - Resource + - UseLongIds + title: ModifyIdentityIdFormatRequest + properties: + principalArn: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the principal, which can be an IAM user, IAM role, or the root user. Specify all to modify the ID format for all IAM users, IAM roles, and the root user of the account.' + resource: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The type of resource: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway.

Alternatively, use the all-current option to include all resource types that are currently within their opt-in period for longer IDs.

' + useLongIds: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the resource should use longer IDs (17-character IDs) + ProductCodeStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ProductCode + OrganizationArnStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: OrganizationArn + OrganizationalUnitArnStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: OrganizationalUnitArn + ModifyImageAttributeRequest: + type: object + required: + - ImageId + title: ModifyImageAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/OperationType' + - description: The operation type. This parameter can be used only when the Attribute parameter is launchPermission. + ProductCode: + allOf: + - $ref: '#/components/schemas/ProductCodeStringList' + - description: Not supported. + UserGroup: + allOf: + - $ref: '#/components/schemas/UserGroupStringList' + - description: The user groups. This parameter can be used only when the Attribute parameter is launchPermission. + UserId: + allOf: + - $ref: '#/components/schemas/String' + - description: The value of the attribute being modified. This parameter can be used only when the Attribute parameter is description. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + OrganizationArn: + allOf: + - $ref: '#/components/schemas/OrganizationArnStringList' + - description: The Amazon Resource Name (ARN) of an organization. This parameter can be used only when the Attribute parameter is launchPermission. + OrganizationalUnitArn: + allOf: + - $ref: '#/components/schemas/OrganizationalUnitArnStringList' + - description: The Amazon Resource Name (ARN) of an organizational unit (OU). This parameter can be used only when the Attribute parameter is launchPermission. + description: Contains the parameters for ModifyImageAttribute. + ModifyInstanceAttributeRequest: + type: object + required: + - InstanceId + title: ModifyInstanceAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'Enable or disable source/destination checks, which ensure that the instance is either the source or the destination of any traffic that it receives. If the value is true, source/destination checks are enabled; otherwise, they are disabled. The default value is true. You must disable source/destination checks if the instance runs services such as network address translation, routing, or firewalls.' + attribute: + allOf: + - $ref: '#/components/schemas/InstanceAttributeName' + - description: The name of the attribute. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/InstanceBlockDeviceMappingSpecificationList' + - description: '

Modifies the DeleteOnTermination attribute for volumes that are currently attached. The volume must be owned by the caller. If no value is specified for DeleteOnTermination, the default is true and the volume is deleted when the instance is terminated.

To add instance store volumes to an Amazon EBS-backed instance, you must add them when you launch the instance. For more information, see Update the block device mapping when launching an instance in the Amazon EC2 User Guide.

' + disableApiTermination: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'If the value is true, you can''t terminate the instance using the Amazon EC2 console, CLI, or API; otherwise, you can. You cannot use this parameter for Spot Instances.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: Specifies whether the instance is optimized for Amazon EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal EBS I/O performance. This optimization isn't available with all instance types. Additional usage charges apply when using an EBS Optimized instance. + enaSupport: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description:

Set to true to enable enhanced networking with ENA for the instance.

This option is supported only for HVM instances. Specifying this option with a PV instance can make it unreachable.

+ GroupId: + allOf: + - $ref: '#/components/schemas/GroupIdStringList' + - description: '[EC2-VPC] Replaces the security groups of the instance with the specified security groups. You must specify at least one security group, even if it''s just the default security group for the VPC. You must specify the security group ID, not the security group name.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + instanceInitiatedShutdownBehavior: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: Specifies whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown). + instanceType: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: 'Changes the instance type to the specified value. For more information, see Instance types in the Amazon EC2 User Guide. If the instance type is not valid, the error returned is InvalidInstanceAttributeValue.' + kernel: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: 'Changes the instance''s kernel to the specified value. We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB.' + ramdisk: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: 'Changes the instance''s RAM disk to the specified value. We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB.' + sriovNetSupport: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description:

Set to simple to enable enhanced networking with the Intel 82599 Virtual Function interface for the instance.

There is no way to disable enhanced networking with the Intel 82599 Virtual Function interface at this time.

This option is supported only for HVM instances. Specifying this option with a PV instance can make it unreachable.

+ userData: + allOf: + - $ref: '#/components/schemas/BlobAttributeValue' + - description: 'Changes the instance''s user data to the specified value. If you are using an Amazon Web Services SDK or command line tool, base64-encoding is performed for you, and you can load the text from a file. Otherwise, you must provide base64-encoded text.' + value: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A new value for the attribute. Use only with the kernel, ramdisk, userData, disableApiTermination, or instanceInitiatedShutdownBehavior attribute.' + ModifyInstanceCapacityReservationAttributesRequest: + type: object + required: + - InstanceId + - CapacityReservationSpecification + title: ModifyInstanceCapacityReservationAttributesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyInstanceCreditSpecificationRequest: + type: object + required: + - InstanceCreditSpecifications + title: ModifyInstanceCreditSpecificationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive token that you provide to ensure idempotency of your modification request. For more information, see Ensuring Idempotency.' + InstanceCreditSpecification: + allOf: + - $ref: '#/components/schemas/InstanceCreditSpecificationListRequest' + - description: Information about the credit option for CPU usage. + SuccessfulInstanceCreditSpecificationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SuccessfulInstanceCreditSpecificationItem' + - xml: + name: item + UnsuccessfulInstanceCreditSpecificationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/UnsuccessfulInstanceCreditSpecificationItem' + - xml: + name: item + ModifyInstanceEventStartTimeRequest: + type: object + required: + - InstanceId + - InstanceEventId + - NotBefore + title: ModifyInstanceEventStartTimeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The new date and time when the event will take place. + ModifyInstanceEventWindowRequest: + type: object + required: + - InstanceEventWindowId + title: ModifyInstanceEventWindowRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowId' + - description: The ID of the event window. + TimeRange: + allOf: + - $ref: '#/components/schemas/InstanceEventWindowCronExpression' + - description: '

The cron expression of the event window, for example, * 0-4,20-23 * * 1,5.

Constraints:

For more information about cron expressions, see cron on the Wikipedia website.

' + ModifyInstanceMaintenanceOptionsRequest: + type: object + required: + - InstanceId + title: ModifyInstanceMaintenanceOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyInstanceMetadataOptionsRequest: + type: object + required: + - InstanceId + title: ModifyInstanceMetadataOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/InstanceMetadataTagsState' + - description: '

Set to enabled to allow access to instance tags from the instance metadata. Set to disabled to turn off access to instance tags from the instance metadata. For more information, see Work with instance tags using the instance metadata.

Default: disabled

' + ModifyInstancePlacementRequest: + type: object + required: + - InstanceId + title: ModifyInstancePlacementRequest + properties: + affinity: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: '

The name of the placement group in which to place the instance. For spread placement groups, the instance must have a tenancy of default. For cluster and partition placement groups, the instance must have a tenancy of default or dedicated.

To remove an instance from a placement group, specify an empty string ("").

' + hostId: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - description: The ID of the Dedicated Host with which to associate the instance. + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance that you are modifying. + tenancy: + allOf: + - $ref: '#/components/schemas/String' + - description: The ARN of the host resource group in which to place the instance. + ModifyIpamPoolRequest: + type: object + required: + - IpamPoolId + title: ModifyIpamPoolRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Clear the default netmask length allocation rule for this pool. + AddAllocationResourceTag: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTagList' + - description: 'Add tag allocation rules to a pool. For more information about allocation rules, see Create a top-level pool in the Amazon VPC IPAM User Guide.' + RemoveAllocationResourceTag: + allOf: + - $ref: '#/components/schemas/RequestIpamResourceTagList' + - description: Remove tag allocation rules from a pool. + RemoveIpamOperatingRegionSet: + type: array + items: + $ref: '#/components/schemas/RemoveIpamOperatingRegion' + minItems: 0 + maxItems: 50 + ModifyIpamRequest: + type: object + required: + - IpamId + title: ModifyIpamRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the IPAM you want to modify. + AddOperatingRegion: + allOf: + - $ref: '#/components/schemas/AddIpamOperatingRegionSet' + - description: '

Choose the operating Regions for the IPAM. Operating Regions are Amazon Web Services Regions where the IPAM is allowed to manage IP address CIDRs. IPAM only discovers and monitors resources in the Amazon Web Services Regions you select as operating Regions.

For more information about operating Regions, see Create an IPAM in the Amazon VPC IPAM User Guide.

' + RemoveOperatingRegion: + allOf: + - $ref: '#/components/schemas/RemoveIpamOperatingRegionSet' + - description: The operating Regions to remove. + ModifyIpamResourceCidrRequest: + type: object + required: + - ResourceId + - ResourceCidr + - ResourceRegion + - CurrentIpamScopeId + - Monitored + title: ModifyIpamResourceCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Determines if the resource is monitored by IPAM. If a resource is monitored, the resource is discovered by IPAM and you can view details about the resource’s CIDR.' + ModifyIpamScopeRequest: + type: object + required: + - IpamScopeId + title: ModifyIpamScopeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the scope you want to modify. + ModifyLaunchTemplateRequest: + type: object + title: ModifyLaunchTemplateRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LaunchTemplateName' + - description: The name of the launch template. You must specify either the launch template ID or launch template name in the request. + SetDefaultVersion: + allOf: + - $ref: '#/components/schemas/String' + - description: The version number of the launch template to set as the default version. + ModifyManagedPrefixListRequest: + type: object + required: + - PrefixListId + title: ModifyManagedPrefixListRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: A name for the prefix list. + AddEntry: + allOf: + - $ref: '#/components/schemas/AddPrefixListEntries' + - description: One or more entries to add to the prefix list. + RemoveEntry: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The maximum number of entries for the prefix list. You cannot modify the entries of a prefix list and modify the size of a prefix list at the same time.

If any of the resources that reference the prefix list cannot support the new maximum size, the modify operation fails. Check the state message for the IDs of the first ten resources that do not support the new maximum size.

' + NetworkInterfaceAttachmentChanges: + type: object + properties: + attachmentId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttachmentId' + - description: The ID of the network interface attachment. + deleteOnTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the network interface is deleted when the instance is terminated. + description: Describes an attachment change. + ModifyNetworkInterfaceAttributeRequest: + type: object + required: + - NetworkInterfaceId + title: ModifyNetworkInterfaceAttributeRequest + properties: + attachment: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAttachmentChanges' + - description: 'Information about the interface attachment. If modifying the ''delete on termination'' attribute, you must specify the ID of the interface attachment.' + description: + allOf: + - $ref: '#/components/schemas/AttributeValue' + - description: A description for the network interface. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: 'Changes the security groups for the network interface. The new set of groups you specify replaces the current set. You must specify at least one group, even if it''s just the default security group in the VPC. You must specify the ID of the security group, not the name.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: 'Enable or disable source/destination checks, which ensure that the instance is either the source or the destination of any traffic that it receives. If the value is true, source/destination checks are enabled; otherwise, they are disabled. The default value is true. You must disable source/destination checks if the instance runs services such as network address translation, routing, or firewalls.' + description: Contains the parameters for ModifyNetworkInterfaceAttribute. + ModifyPrivateDnsNameOptionsRequest: + type: object + title: ModifyPrivateDnsNameOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + ReservedInstancesConfigurationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesConfiguration' + - xml: + name: item + ModifyReservedInstancesRequest: + type: object + required: + - ReservedInstancesIds + - TargetConfigurations + title: ModifyReservedInstancesRequest + properties: + ReservedInstancesId: + allOf: + - $ref: '#/components/schemas/ReservedInstancesIdStringList' + - description: The IDs of the Reserved Instances to modify. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive token you provide to ensure idempotency of your modification request. For more information, see Ensuring Idempotency.' + ReservedInstancesConfigurationSetItemType: + allOf: + - $ref: '#/components/schemas/ReservedInstancesConfigurationList' + - description: The configuration settings for the Reserved Instances to modify. + description: Contains the parameters for ModifyReservedInstances. + ModifySecurityGroupRulesRequest: + type: object + required: + - GroupId + - SecurityGroupRules + title: ModifySecurityGroupRulesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - description: The ID of the security group. + SecurityGroupRule: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifySnapshotAttributeRequest: + type: object + required: + - SnapshotId + title: ModifySnapshotAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/CreateVolumePermissionModifications' + - description: A JSON representation of the snapshot attribute modification. + UserGroup: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the snapshot. + UserId: + allOf: + - $ref: '#/components/schemas/UserIdStringList' + - description: The account ID to modify for the snapshot. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifySnapshotTierRequest: + type: object + required: + - SnapshotId + title: ModifySnapshotTierRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifySpotFleetRequestRequest: + type: object + required: + - SpotFleetRequestId + title: ModifySpotFleetRequestRequest + properties: + excessCapacityTerminationPolicy: + allOf: + - $ref: '#/components/schemas/ExcessCapacityTerminationPolicy' + - description: Indicates whether running Spot Instances should be terminated if the target capacity of the Spot Fleet request is decreased below the current size of the Spot Fleet. + LaunchTemplateConfig: + allOf: + - $ref: '#/components/schemas/LaunchTemplateConfigList' + - description: 'The launch template and overrides. You can only use this parameter if you specified a launch template (LaunchTemplateConfigs) in your Spot Fleet request. If you specified LaunchSpecifications in your Spot Fleet request, then omit this parameter.' + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestId' + - description: The ID of the Spot Fleet request. + targetCapacity: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + description: Contains the parameters for ModifySpotFleetRequest. + ModifySubnetAttributeRequest: + type: object + required: + - SubnetId + title: ModifySubnetAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: Specify true to indicate that network interfaces attached to instances created in the specified subnet should be assigned a public IPv4 address. + subnetId: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: ' Specify true to indicate that local network interfaces at the current position should be disabled. ' + TrafficMirrorNetworkServiceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorNetworkService' + - xml: + name: item + ModifyTrafficMirrorFilterNetworkServicesRequest: + type: object + required: + - TrafficMirrorFilterId + title: ModifyTrafficMirrorFilterNetworkServicesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterId' + - description: The ID of the Traffic Mirror filter. + AddNetworkService: + allOf: + - $ref: '#/components/schemas/TrafficMirrorNetworkServiceList' + - description: 'The network service, for example Amazon DNS, that you want to mirror.' + RemoveNetworkService: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyTrafficMirrorFilterRuleRequest: + type: object + required: + - TrafficMirrorFilterRuleId + title: ModifyTrafficMirrorFilterRuleRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description to assign to the Traffic Mirror rule. + RemoveField: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyTrafficMirrorSessionRequest: + type: object + required: + - TrafficMirrorSessionId + title: ModifyTrafficMirrorSessionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description to assign to the Traffic Mirror session. + RemoveField: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyTransitGatewayOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the default propagation route table. + description: The transit gateway options. + ModifyTransitGatewayPrefixListReferenceRequest: + type: object + required: + - TransitGatewayRouteTableId + - PrefixListId + title: ModifyTransitGatewayPrefixListReferenceRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyTransitGatewayRequest: + type: object + required: + - TransitGatewayId + title: ModifyTransitGatewayRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyTransitGatewayVpcAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: ModifyTransitGatewayVpcAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyTransitGatewayVpcAttachmentRequestOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ApplianceModeSupportValue' + - description: 'Enable or disable support for appliance mode. If enabled, a traffic flow between a source and destination uses the same Availability Zone for the VPC attachment for the lifetime of that flow. The default is disable.' + description: Describes the options for a VPC attachment. + ModifyVolumeAttributeRequest: + type: object + required: + - VolumeId + title: ModifyVolumeAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the volume. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyVolumeRequest: + type: object + required: + - VolumeId + title: ModifyVolumeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Specifies whether to enable Amazon EBS Multi-Attach. If you enable Multi-Attach, you can attach the volume to up to 16 Nitro-based instances in the same Availability Zone. This parameter is supported with io1 and io2 volumes only. For more information, see Amazon EBS Multi-Attach in the Amazon Elastic Compute Cloud User Guide.' + VolumeModification: + type: object + properties: + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume. + modificationState: + allOf: + - $ref: '#/components/schemas/VolumeModificationState' + - description: The current modification state. The modification state is null for unmodified volumes. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: A status message about the modification progress or failure. + targetSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The target size of the volume, in GiB.' + targetIops: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The target IOPS rate of the volume. + targetVolumeType: + allOf: + - $ref: '#/components/schemas/VolumeType' + - description: The target EBS volume type of the volume. + targetThroughput: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The target throughput of the volume, in MiB/s.' + targetMultiAttachEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The target setting for Amazon EBS Multi-Attach. + originalSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The original size of the volume, in GiB.' + originalIops: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The original IOPS rate of the volume. + originalVolumeType: + allOf: + - $ref: '#/components/schemas/VolumeType' + - description: The original EBS volume type of the volume. + originalThroughput: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The original throughput of the volume, in MiB/s.' + originalMultiAttachEnabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: The original setting for Amazon EBS Multi-Attach. + progress: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The modification progress, from 0 to 100 percent complete.' + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The modification start time. + endTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The modification completion or failure time. + description: '

Describes the modification status of an EBS volume.

If the volume has never been modified, some element values will be null.

' + ModifyVpcAttributeRequest: + type: object + required: + - VpcId + title: ModifyVpcAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/AttributeBooleanValue' + - description: '

Indicates whether the DNS resolution is supported for the VPC. If enabled, queries to the Amazon provided DNS server at the 169.254.169.253 IP address, or the reserved IP address at the base of the VPC network range "plus two" succeed. If disabled, the Amazon provided DNS service in the VPC that resolves public DNS hostnames to IP addresses is not enabled.

You cannot modify the DNS resolution and DNS hostnames attributes in the same request. Use separate requests for each attribute.

' + vpcId: + allOf: + - $ref: '#/components/schemas/VpcId' + - description: The ID of the VPC. + ModifyVpcEndpointConnectionNotificationRequest: + type: object + required: + - ConnectionNotificationId + title: ModifyVpcEndpointConnectionNotificationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: 'One or more events for the endpoint. Valid values are Accept, Connect, Delete, and Reject.' + VpcEndpointSecurityGroupIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: item + ModifyVpcEndpointRequest: + type: object + required: + - VpcEndpointId + title: ModifyVpcEndpointRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: (Interface and gateway endpoints) A policy to attach to the endpoint that controls access to the service. The policy must be in valid JSON format. + AddRouteTableId: + allOf: + - $ref: '#/components/schemas/VpcEndpointRouteTableIdList' + - description: (Gateway endpoint) One or more route tables IDs to associate with the endpoint. + RemoveRouteTableId: + allOf: + - $ref: '#/components/schemas/VpcEndpointRouteTableIdList' + - description: (Gateway endpoint) One or more route table IDs to disassociate from the endpoint. + AddSubnetId: + allOf: + - $ref: '#/components/schemas/VpcEndpointSubnetIdList' + - description: '(Interface and Gateway Load Balancer endpoints) One or more subnet IDs in which to serve the endpoint. For a Gateway Load Balancer endpoint, you can specify only one subnet.' + RemoveSubnetId: + allOf: + - $ref: '#/components/schemas/VpcEndpointSubnetIdList' + - description: (Interface endpoint) One or more subnets IDs in which to remove the endpoint. + AddSecurityGroupId: + allOf: + - $ref: '#/components/schemas/VpcEndpointSecurityGroupIdList' + - description: (Interface endpoint) One or more security group IDs to associate with the network interface. + RemoveSecurityGroupId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: (Interface endpoint) Indicates whether a private hosted zone is associated with the VPC. + description: Contains the parameters for ModifyVpcEndpoint. + ModifyVpcEndpointServiceConfigurationRequest: + type: object + required: + - ServiceId + title: ModifyVpcEndpointServiceConfigurationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether requests to create an endpoint to your service must be accepted. + AddNetworkLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of Network Load Balancers to add to your service configuration. + RemoveNetworkLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of Network Load Balancers to remove from your service configuration. + AddGatewayLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of Gateway Load Balancers to add to your service configuration. + RemoveGatewayLoadBalancerArn: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of Gateway Load Balancers to remove from your service configuration. + AddSupportedIpAddressType: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IP address types to add to your service configuration. + RemoveSupportedIpAddressType: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IP address types to remove from your service configuration. + PayerResponsibility: + type: string + enum: + - ServiceOwner + ModifyVpcEndpointServicePayerResponsibilityRequest: + type: object + required: + - ServiceId + - PayerResponsibility + title: ModifyVpcEndpointServicePayerResponsibilityRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/PayerResponsibility' + - description: 'The entity that is responsible for the endpoint costs. The default is the endpoint owner. If you set the payer responsibility to the service owner, you cannot set it back to the endpoint owner.' + ModifyVpcEndpointServicePermissionsRequest: + type: object + required: + - ServiceId + title: ModifyVpcEndpointServicePermissionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARN) of one or more principals. Permissions are revoked for principals in this list. + ModifyVpcPeeringConnectionOptionsRequest: + type: object + required: + - VpcPeeringConnectionId + title: ModifyVpcPeeringConnectionOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionId' + - description: The ID of the VPC peering connection. + PeeringConnectionOptions: + type: object + properties: + allowDnsResolutionFromRemoteVpc: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, the public DNS hostnames of instances in the specified VPC resolve to private IP addresses when queried from instances in the peer VPC.' + allowEgressFromLocalClassicLinkToRemoteVpc: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, enables outbound communication from an EC2-Classic instance that''s linked to a local VPC using ClassicLink to instances in a peer VPC.' + allowEgressFromLocalVpcToRemoteClassicLink: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, enables outbound communication from instances in a local VPC to an EC2-Classic instance that''s linked to a peer VPC using ClassicLink.' + description: Describes the VPC peering connection options. + ModifyVpcTenancyRequest: + type: object + required: + - VpcId + - InstanceTenancy + title: ModifyVpcTenancyRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyVpnConnectionOptionsRequest: + type: object + required: + - VpnConnectionId + title: ModifyVpnConnectionOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyVpnConnectionRequest: + type: object + required: + - VpnConnectionId + title: ModifyVpnConnectionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyVpnTunnelCertificateRequest: + type: object + required: + - VpnConnectionId + - VpnTunnelOutsideIpAddress + title: ModifyVpnTunnelCertificateRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyVpnTunnelOptionsRequest: + type: object + required: + - VpnConnectionId + - VpnTunnelOutsideIpAddress + - TunnelOptions + title: ModifyVpnTunnelOptionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ModifyVpnTunnelOptionsSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The action to take after DPD timeout occurs. Specify restart to restart the IKE initiation. Specify clear to end the IKE session.

Valid Values: clear | none | restart

Default: clear

' + Phase1EncryptionAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase1EncryptionAlgorithmsRequestList' + - description: '

One or more encryption algorithms that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: AES128 | AES256 | AES128-GCM-16 | AES256-GCM-16

' + Phase2EncryptionAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase2EncryptionAlgorithmsRequestList' + - description: '

One or more encryption algorithms that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: AES128 | AES256 | AES128-GCM-16 | AES256-GCM-16

' + Phase1IntegrityAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase1IntegrityAlgorithmsRequestList' + - description: '

One or more integrity algorithms that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: SHA1 | SHA2-256 | SHA2-384 | SHA2-512

' + Phase2IntegrityAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase2IntegrityAlgorithmsRequestList' + - description: '

One or more integrity algorithms that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: SHA1 | SHA2-256 | SHA2-384 | SHA2-512

' + Phase1DHGroupNumber: + allOf: + - $ref: '#/components/schemas/Phase1DHGroupNumbersRequestList' + - description: '

One or more Diffie-Hellman group numbers that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: 2 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24

' + Phase2DHGroupNumber: + allOf: + - $ref: '#/components/schemas/Phase2DHGroupNumbersRequestList' + - description: '

One or more Diffie-Hellman group numbers that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: 2 | 5 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24

' + IKEVersion: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The action to take when the establishing the tunnel for the VPN connection. By default, your customer gateway device must initiate the IKE negotiation and bring up the tunnel. Specify start for Amazon Web Services to initiate the IKE negotiation.

Valid Values: add | start

Default: add

' + description: The Amazon Web Services Site-to-Site VPN tunnel options to modify. + MonitorInstancesRequest: + type: object + required: + - InstanceIds + title: MonitorInstancesRequest + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: The IDs of the instances. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + MonitoringState: + type: string + enum: + - disabled + - disabling + - enabled + - pending + MoveAddressToVpcRequest: + type: object + required: + - PublicIp + title: MoveAddressToVpcRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The Elastic IP address. + Status: + type: string + enum: + - MoveInProgress + - InVpc + - InClassic + MoveByoipCidrToIpamRequest: + type: object + required: + - Cidr + - IpamPoolId + - IpamPoolOwner + title: MoveByoipCidrToIpamRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the IPAM pool. + MoveStatus: + type: string + enum: + - movingToVpc + - restoringToClassic + MovingAddressStatus: + type: object + properties: + moveStatus: + allOf: + - $ref: '#/components/schemas/MoveStatus' + - description: 'The status of the Elastic IP address that''s being moved to the EC2-VPC platform, or restored to the EC2-Classic platform.' + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The Elastic IP address. + description: Describes the status of a moving Elastic IP address. + MulticastSupportValue: + type: string + enum: + - enable + - disable + NatGatewayAddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NatGatewayAddress' + - xml: + name: item + ProvisionedBandwidth: + type: object + properties: + provisionTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + provisioned: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + requestTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + requested: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + status: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + description: 'Reserved. If you need to sustain traffic greater than the documented limits, contact us through the Support Center.' + NatGatewayState: + type: string + enum: + - pending + - failed + - available + - deleting + - deleted + NatGatewayAddress: + type: object + properties: + allocationId: + allOf: + - $ref: '#/components/schemas/String' + - description: '[Public NAT gateway only] The allocation ID of the Elastic IP address that''s associated with the NAT gateway.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface associated with the NAT gateway. + privateIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IP address associated with the NAT gateway. + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: '[Public NAT gateway only] The Elastic IP address associated with the NAT gateway.' + description: Describes the IP addresses and network interface associated with a NAT gateway. + NatGatewayIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NatGatewayId' + - xml: + name: item + NetworkAclAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkAclAssociation' + - xml: + name: item + NetworkAclEntryList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkAclEntry' + - xml: + name: item + NetworkAclAssociation: + type: object + properties: + networkAclAssociationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the association between a network ACL and a subnet. + networkAclId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network ACL. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + description: Describes an association between a network ACL and a subnet. + NetworkAclAssociationId: + type: string + NetworkAclEntry: + type: object + properties: + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 network range to allow or deny, in CIDR notation.' + egress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the rule is an egress rule (applied to traffic leaving the subnet). + icmpTypeCode: + allOf: + - $ref: '#/components/schemas/IcmpTypeCode' + - description: 'ICMP protocol: The ICMP type and code.' + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv6 network range to allow or deny, in CIDR notation.' + portRange: + allOf: + - $ref: '#/components/schemas/PortRange' + - description: 'TCP or UDP protocols: The range of ports the rule applies to.' + protocol: + allOf: + - $ref: '#/components/schemas/String' + - description: The protocol number. A value of "-1" means all protocols. + ruleAction: + allOf: + - $ref: '#/components/schemas/RuleAction' + - description: Indicates whether to allow or deny the traffic that matches the rule. + ruleNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The rule number for the entry. ACL entries are processed in ascending order by rule number. + description: Describes an entry in a network ACL. + NetworkAclIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - xml: + name: item + NetworkCardIndex: + type: integer + NetworkPerformance: + type: string + NetworkCardInfo: + type: object + properties: + networkCardIndex: + allOf: + - $ref: '#/components/schemas/NetworkCardIndex' + - description: The index of the network card. + networkPerformance: + allOf: + - $ref: '#/components/schemas/NetworkPerformance' + - description: The network performance of the network card. + maximumNetworkInterfaces: + allOf: + - $ref: '#/components/schemas/MaxNetworkInterfaces' + - description: The maximum number of network interfaces for the network card. + description: Describes the network card support of the instance type. + NetworkCardInfoList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkCardInfo' + - xml: + name: item + NetworkInsightsAccessScopeAnalysis: + type: object + properties: + networkInsightsAccessScopeAnalysisId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisId' + - description: The ID of the Network Access Scope analysis. + networkInsightsAccessScopeAnalysisArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the Network Access Scope analysis. + networkInsightsAccessScopeId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeId' + - description: The ID of the Network Access Scope. + status: + allOf: + - $ref: '#/components/schemas/AnalysisStatus' + - description: The status. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The status message. + warningMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The warning message. + startDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The analysis start date. + endDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The analysis end date. + findingsFound: + allOf: + - $ref: '#/components/schemas/FindingsFound' + - description: Indicates whether there are findings. + analyzedEniCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of network interfaces analyzed. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags. + description: Describes a Network Access Scope analysis. + NetworkInsightsAccessScopeAnalysisIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAccessScopeAnalysisId' + - xml: + name: item + NetworkInsightsAnalysis: + type: object + properties: + networkInsightsAnalysisId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysisId' + - description: The ID of the network insights analysis. + networkInsightsAnalysisArn: + allOf: + - $ref: '#/components/schemas/ResourceArn' + - description: The Amazon Resource Name (ARN) of the network insights analysis. + networkInsightsPathId: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - description: The ID of the path. + filterInArnSet: + allOf: + - $ref: '#/components/schemas/ArnList' + - description: The Amazon Resource Names (ARN) of the Amazon Web Services resources that the path must traverse. + startDate: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time the analysis started. + status: + allOf: + - $ref: '#/components/schemas/AnalysisStatus' + - description: The status of the network insights analysis. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status message, if the status is failed.' + warningMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The warning message. + networkPathFound: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the destination is reachable from the source. + forwardPathComponentSet: + allOf: + - $ref: '#/components/schemas/PathComponentList' + - description: The components in the path from source to destination. + returnPathComponentSet: + allOf: + - $ref: '#/components/schemas/PathComponentList' + - description: The components in the path from destination to source. + explanationSet: + allOf: + - $ref: '#/components/schemas/ExplanationList' + - description: 'The explanations. For more information, see Reachability Analyzer explanation codes.' + alternatePathHintSet: + allOf: + - $ref: '#/components/schemas/AlternatePathHintList' + - description: Potential intermediate components. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags. + description: Describes a network insights analysis. + NetworkInsightsAnalysisIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInsightsAnalysisId' + - xml: + name: item + NetworkInsightsMaxResults: + type: integer + minimum: 1 + maximum: 100 + Protocol: + type: string + enum: + - tcp + - udp + NetworkInsightsResourceId: + type: string + NetworkInterfaceAssociation: + type: object + properties: + allocationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The allocation ID. + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The association ID. + ipOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Elastic IP address owner. + publicDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The public DNS name. + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The address of the Elastic IP address bound to the network interface. + customerOwnedIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The customer-owned IP address associated with the network interface. + carrierIp: + allOf: + - $ref: '#/components/schemas/String' + - description:

The carrier IP address associated with the network interface.

This option is only available when the network interface is in a subnet which is associated with a Wavelength Zone.

+ description: 'Describes association information for an Elastic IP address (IPv4 only), or a Carrier IP address (for a network interface which resides in a subnet in a Wavelength Zone).' + NetworkInterfaceType: + type: string + enum: + - interface + - natGateway + - efa + - trunk + - load_balancer + - network_load_balancer + - vpc_endpoint + - branch + - transit_gateway + - lambda + - quicksight + - global_accelerator_managed + - api_gateway_managed + - gateway_load_balancer + - gateway_load_balancer_endpoint + - iot_rules_managed + - aws_codestar_connections_managed + NetworkInterfaceIpv6AddressesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceIpv6Address' + - xml: + name: item + NetworkInterfacePrivateIpAddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePrivateIpAddress' + - xml: + name: item + NetworkInterfaceCountRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of network interfaces. To specify no maximum limit, omit this parameter.' + description: The minimum and maximum number of network interfaces. + NetworkInterfaceIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + NetworkInterfaceIpv6Address: + type: object + properties: + ipv6Address: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 address. + description: Describes an IPv6 address associated with a network interface. + NetworkInterfacePermissionState: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/NetworkInterfacePermissionStateCode' + - description: The state of the permission. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A status message, if applicable.' + description: Describes the state of a network interface permission. + NetworkInterfacePermissionStateCode: + type: string + enum: + - pending + - granted + - revoking + - revoked + NetworkInterfacePrivateIpAddress: + type: object + properties: + association: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceAssociation' + - description: The association information for an Elastic IP address (IPv4) associated with the network interface. + primary: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this IPv4 address is the primary private IPv4 address of the network interface. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private DNS name. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The private IPv4 address. + description: Describes the private IPv4 address of a network interface. + OccurrenceDayRequestSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Integer' + - xml: + name: OccurenceDay + OccurrenceDaySet: + type: array + items: + allOf: + - $ref: '#/components/schemas/Integer' + - xml: + name: item + OnDemandOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum amount per hour for On-Demand Instances that you're willing to pay. + description: Describes the configuration of On-Demand Instances in an EC2 Fleet. + ProtocolList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Protocol' + - xml: + name: item + PacketHeaderStatement: + type: object + properties: + sourceAddressSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The source addresses. + destinationAddressSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The destination addresses. + sourcePortSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The source ports. + destinationPortSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The destination ports. + sourcePrefixListSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The source prefix lists. + destinationPrefixListSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The destination prefix lists. + protocolSet: + allOf: + - $ref: '#/components/schemas/ProtocolList' + - description: The protocols. + description: Describes a packet header statement. + PacketHeaderStatementRequest: + type: object + properties: + SourceAddress: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The source addresses. + DestinationAddress: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The destination addresses. + SourcePort: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The source ports. + DestinationPort: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The destination ports. + SourcePrefixList: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The source prefix lists. + DestinationPrefixList: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The destination prefix lists. + Protocol: + allOf: + - $ref: '#/components/schemas/ProtocolList' + - description: The protocols. + description: Describes a packet header statement. + PartitionLoadFrequency: + type: string + enum: + - none + - daily + - weekly + - monthly + PathComponent: + type: object + properties: + sequenceNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The sequence number. + aclRule: + allOf: + - $ref: '#/components/schemas/AnalysisAclRule' + - description: The network ACL rule. + attachedTo: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The resource to which the path component is attached. + component: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The component. + destinationVpc: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The destination VPC. + outboundHeader: + allOf: + - $ref: '#/components/schemas/AnalysisPacketHeader' + - description: The outbound header. + inboundHeader: + allOf: + - $ref: '#/components/schemas/AnalysisPacketHeader' + - description: The inbound header. + routeTableRoute: + allOf: + - $ref: '#/components/schemas/AnalysisRouteTableRoute' + - description: The route table route. + securityGroupRule: + allOf: + - $ref: '#/components/schemas/AnalysisSecurityGroupRule' + - description: The security group rule. + sourceVpc: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The source VPC. + subnet: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The subnet. + vpc: + allOf: + - $ref: '#/components/schemas/AnalysisComponent' + - description: The component VPC. + additionalDetailSet: + allOf: + - $ref: '#/components/schemas/AdditionalDetailList' + - description: The additional details. + transitGateway: + $ref: '#/components/schemas/AnalysisComponent' + transitGatewayRouteTableRoute: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableRoute' + - description: The route in a transit gateway route table. + description: Describes a path component. + ResourceStatement: + type: object + properties: + resourceSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The resources. + resourceTypeSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The resource types. + description: Describes a resource statement. + ResourceStatementRequest: + type: object + properties: + Resource: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The resources. + ResourceType: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The resource types. + description: Describes a resource statement. + PeeringAttachmentStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The status code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status message, if applicable.' + description: The status of the transit gateway peering attachment. + PeeringConnectionOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'If true, enables outbound communication from instances in a local VPC to an EC2-Classic instance that''s linked to a peer VPC using ClassicLink.' + description: The VPC peering connection options. + PeeringTgwInfo: + type: object + properties: + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the transit gateway. + region: + allOf: + - $ref: '#/components/schemas/String' + - description: The Region of the transit gateway. + description: Information about the transit gateway in the peering attachment. + Phase1DHGroupNumbersListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The Diffie-Hellmann group number. + description: The Diffie-Hellmann group number for phase 1 IKE negotiations. + Phase1DHGroupNumbersList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase1DHGroupNumbersListValue' + - xml: + name: item + Phase1DHGroupNumbersRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The Diffie-Hellmann group number. + description: Specifies a Diffie-Hellman group number for the VPN tunnel for phase 1 IKE negotiations. + Phase1EncryptionAlgorithmsListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the encryption algorithm. + description: The encryption algorithm for phase 1 IKE negotiations. + Phase1EncryptionAlgorithmsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase1EncryptionAlgorithmsListValue' + - xml: + name: item + Phase1EncryptionAlgorithmsRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the encryption algorithm. + description: Specifies the encryption algorithm for the VPN tunnel for phase 1 IKE negotiations. + Phase1IntegrityAlgorithmsListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the integrity algorithm. + description: The integrity algorithm for phase 1 IKE negotiations. + Phase1IntegrityAlgorithmsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase1IntegrityAlgorithmsListValue' + - xml: + name: item + Phase1IntegrityAlgorithmsRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The value for the integrity algorithm. + description: Specifies the integrity algorithm for the VPN tunnel for phase 1 IKE negotiations. + Phase2DHGroupNumbersListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The Diffie-Hellmann group number. + description: The Diffie-Hellmann group number for phase 2 IKE negotiations. + Phase2DHGroupNumbersList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase2DHGroupNumbersListValue' + - xml: + name: item + Phase2DHGroupNumbersRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The Diffie-Hellmann group number. + description: Specifies a Diffie-Hellman group number for the VPN tunnel for phase 2 IKE negotiations. + Phase2EncryptionAlgorithmsListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The encryption algorithm. + description: The encryption algorithm for phase 2 IKE negotiations. + Phase2EncryptionAlgorithmsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase2EncryptionAlgorithmsListValue' + - xml: + name: item + Phase2EncryptionAlgorithmsRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The encryption algorithm. + description: Specifies the encryption algorithm for the VPN tunnel for phase 2 IKE negotiations. + Phase2IntegrityAlgorithmsListValue: + type: object + properties: + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The integrity algorithm. + description: The integrity algorithm for phase 2 IKE negotiations. + Phase2IntegrityAlgorithmsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Phase2IntegrityAlgorithmsListValue' + - xml: + name: item + Phase2IntegrityAlgorithmsRequestListValue: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The integrity algorithm. + description: Specifies the integrity algorithm for the VPN tunnel for phase 2 IKE negotiations. + PlacementGroupState: + type: string + enum: + - pending + - available + - deleting + - deleted + PlacementStrategy: + type: string + enum: + - cluster + - spread + - partition + PlacementGroupStrategyList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PlacementGroupStrategy' + - xml: + name: item + PlacementGroupStrategy: + type: string + enum: + - cluster + - partition + - spread + PoolCidrBlock: + type: object + properties: + poolCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block. + description: Describes a CIDR block for an address pool. + PrefixList: + type: object + properties: + cidrSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IP address range of the Amazon Web Service. + prefixListId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the prefix. + prefixListName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the prefix. + description: Describes prefixes for Amazon Web Services services. + PrefixListAssociation: + type: object + properties: + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceOwner: + allOf: + - $ref: '#/components/schemas/String' + - description: The owner of the resource. + description: Describes the resource with which a prefix list is associated. + PrefixListEntry: + type: object + properties: + cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description. + description: Describes a prefix list entry. + PrefixListId: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A description for the security group rule that references this prefix list ID.

Constraints: Up to 255 characters in length. Allowed characters are a-z, A-Z, 0-9, spaces, and ._-:/()#,@[]+=;{}!$*

' + prefixListId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the prefix. + description: Describes a prefix list ID. + PrefixListIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + PrefixListMaxResults: + type: integer + minimum: 1 + maximum: 100 + PriceSchedule: + type: object + properties: + active: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

The current price schedule, as determined by the term remaining for the Reserved Instance in the listing.

A specific price schedule is always in effect, but only one price schedule can be active at any time. Take, for example, a Reserved Instance listing that has five months remaining in its term. When you specify price schedules for five months and two months, this means that schedule 1, covering the first three months of the remaining term, will be active during months 5, 4, and 3. Then schedule 2, covering the last two months of the term, will be active for months 2 and 1.

' + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency for transacting the Reserved Instance resale. At this time, the only supported currency is USD.' + price: + allOf: + - $ref: '#/components/schemas/Double' + - description: The fixed price for the term. + term: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The number of months remaining in the reservation. For example, 2 is the second to the last month before the capacity reservation expires.' + description: Describes the price for a Reserved Instance. + PriceScheduleList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PriceSchedule' + - xml: + name: item + PricingDetail: + type: object + properties: + count: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of reservations available for the price. + price: + allOf: + - $ref: '#/components/schemas/Double' + - description: The price per instance. + description: Describes a Reserved Instance offering. + PricingDetailsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PricingDetail' + - xml: + name: item + PrincipalIdFormat: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: PrincipalIdFormatARN description + statusSet: + allOf: + - $ref: '#/components/schemas/IdFormatList' + - description: PrincipalIdFormatStatuses description + description: PrincipalIdFormat description + PrivateDnsDetails: + type: object + properties: + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private DNS name assigned to the VPC endpoint service. + description: Information about the Private DNS name for interface endpoints. + PrivateDnsDetailsSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PrivateDnsDetails' + - xml: + name: item + PrivateDnsNameConfiguration: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/DnsNameState' + - description:

The verification state of the VPC endpoint service.

>Consumers of the endpoint service can use the private name only when the state is verified.

+ type: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The endpoint service verification type, for example TXT.' + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The value the service provider adds to the private DNS name domain record before verification. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the record subdomain the service provider needs to create. The service provider adds the value text to the name. + description: Information about the private DNS name for the service endpoint. + PrivateDnsNameOptionsOnLaunch: + type: object + properties: + hostnameType: + allOf: + - $ref: '#/components/schemas/HostnameType' + - description: 'The type of hostname for EC2 instances. For IPv4 only subnets, an instance DNS name must be based on the instance IPv4 address. For IPv6 only subnets, an instance DNS name must be based on the instance ID. For dual-stack subnets, you can specify whether DNS names use the instance IPv4 address or the instance ID.' + enableResourceNameDnsARecord: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS A records. + enableResourceNameDnsAAAARecord: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostname with DNS AAAA records. + description: Describes the options for instance hostnames. + PrivateDnsNameOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to respond to DNS queries for instance hostnames with DNS AAAA records. + description: Describes the options for instance hostnames. + ScheduledInstancesPrivateIpAddressConfig: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 address. + description: Describes a private IPv4 address for a Scheduled Instance. + PrivateIpAddressConfigSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstancesPrivateIpAddressConfig' + - xml: + name: PrivateIpAddressConfigSet + ProcessorSustainedClockSpeed: + type: number + format: double + ProductCodeValues: + type: string + enum: + - devpay + - marketplace + ProductCode: + type: object + properties: + productCode: + allOf: + - $ref: '#/components/schemas/String' + - description: The product code. + type: + allOf: + - $ref: '#/components/schemas/ProductCodeValues' + - description: The type of product code. + description: Describes a product code. + PropagatingVgw: + type: object + properties: + gatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the virtual private gateway. + description: Describes a virtual private gateway propagating route. + PropagatingVgwList: + type: array + items: + allOf: + - $ref: '#/components/schemas/PropagatingVgw' + - xml: + name: item + ProvisionByoipCidrRequest: + type: object + required: + - Cidr + title: ProvisionByoipCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + PoolTagSpecification: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Reserved. + ProvisionIpamPoolCidrRequest: + type: object + required: + - IpamPoolId + title: ProvisionIpamPoolCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamCidrAuthorizationContext' + - description: A signed document that proves that you are authorized to bring a specified IP address range to Amazon using BYOIP. This option applies to public pools only. + ProvisionPublicIpv4PoolCidrRequest: + type: object + required: + - IpamPoolId + - PoolId + - NetmaskLength + title: ProvisionPublicIpv4PoolCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The netmask length of the CIDR you would like to allocate to the public IPv4 pool. + PublicIpv4PoolRange: + type: object + properties: + firstAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The first IP address in the range. + lastAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The last IP address in the range. + addressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of addresses in the range. + availableAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of available addresses in the range. + description: Describes an address range of an IPv4 address pool. + PublicIpv4PoolRangeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PublicIpv4PoolRange' + - xml: + name: item + PublicIpv4Pool: + type: object + properties: + poolId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the address pool. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the address pool. + poolAddressRangeSet: + allOf: + - $ref: '#/components/schemas/PublicIpv4PoolRangeSet' + - description: The address ranges. + totalAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of addresses. + totalAvailableAddressCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of available addresses. + networkBorderGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the location from which the address pool is advertised. A network border group is a unique set of Availability Zones or Local Zones from where Amazon Web Services advertises public IP addresses. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags for the address pool. + description: Describes an IPv4 address pool. + PublicIpv4PoolIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Ipv4PoolEc2Id' + - xml: + name: item + Purchase: + type: object + properties: + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency in which the UpfrontPrice and HourlyPrice amounts are specified. At this time, the only supported currency is USD.' + duration: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The duration of the reservation's term in seconds. + hostIdSet: + allOf: + - $ref: '#/components/schemas/ResponseHostIdSet' + - description: The IDs of the Dedicated Hosts associated with the reservation. + hostReservationId: + allOf: + - $ref: '#/components/schemas/HostReservationId' + - description: The ID of the reservation. + hourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The hourly price of the reservation per hour. + instanceFamily: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance family on the Dedicated Host that the reservation can be associated with. + paymentOption: + allOf: + - $ref: '#/components/schemas/PaymentOption' + - description: The payment option for the reservation. + upfrontPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The upfront price of the reservation. + description: Describes the result of the purchase. + PurchaseHostReservationRequest: + type: object + required: + - HostIdSet + - OfferingId + title: PurchaseHostReservationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/OfferingId' + - description: The ID of the offering. + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: The tags to apply to the Dedicated Host Reservation during purchase. + PurchaseRequestSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/PurchaseRequest' + - xml: + name: PurchaseRequest + minItems: 1 + PurchaseReservedInstancesOfferingRequest: + type: object + required: + - InstanceCount + - ReservedInstancesOfferingId + title: PurchaseReservedInstancesOfferingRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ReservedInstancesOfferingId' + - description: The ID of the Reserved Instance offering to purchase. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + limitPrice: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The time at which to purchase the Reserved Instance, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Contains the parameters for PurchaseReservedInstancesOffering. + PurchaseScheduledInstancesRequest: + type: object + required: + - PurchaseRequests + title: PurchaseScheduledInstancesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + PurchaseRequest: + allOf: + - $ref: '#/components/schemas/PurchaseRequestSet' + - description: The purchase requests. + description: Contains the parameters for PurchaseScheduledInstances. + PurchasedScheduledInstanceSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstance' + - xml: + name: item + ScheduledInstance: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + createDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date when the Scheduled Instance was purchased. + hourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The hourly price for a single instance. + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of instances. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance type. + networkPlatform: + allOf: + - $ref: '#/components/schemas/String' + - description: The network platform (EC2-Classic or EC2-VPC). + nextSlotStartTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time for the next schedule to start. + platform: + allOf: + - $ref: '#/components/schemas/String' + - description: The platform (Linux/UNIX or Windows). + previousSlotEndTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time that the previous schedule ended or will end. + recurrence: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceRecurrence' + - description: The schedule recurrence. + scheduledInstanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Scheduled Instance ID. + slotDurationInHours: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of hours in the schedule. + termEndDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The end date for the Scheduled Instance. + termStartDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The start date for the Scheduled Instance. + totalScheduledInstanceHours: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of hours for a single instance for the entire term. + description: Describes a Scheduled Instance. + ReasonCodesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReportInstanceReasonCodes' + - xml: + name: item + RebootInstancesRequest: + type: object + required: + - InstanceIds + title: RebootInstancesRequest + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: The instance IDs. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RecurringChargeFrequency: + type: string + enum: + - Hourly + RecurringCharge: + type: object + properties: + amount: + allOf: + - $ref: '#/components/schemas/Double' + - description: The amount of the recurring charge. + frequency: + allOf: + - $ref: '#/components/schemas/RecurringChargeFrequency' + - description: The frequency of the recurring charge. + description: Describes a recurring charge. + RecurringChargesList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RecurringCharge' + - xml: + name: item + ReferencedSecurityGroup: + type: object + properties: + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + peeringStatus: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status of a VPC peering connection, if applicable.' + userId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC peering connection. + description: ' Describes the security group that is referenced in the security group rule.' + Region: + type: object + properties: + regionEndpoint: + allOf: + - $ref: '#/components/schemas/String' + - description: The Region service endpoint. + regionName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Region. + optInStatus: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Region opt-in status. The possible values are opt-in-not-required, opted-in, and not-opted-in.' + description: Describes a Region. + RegionNames: + type: array + items: + $ref: '#/components/schemas/String' + minItems: 0 + maxItems: 10 + StringType: + type: string + minLength: 0 + maxLength: 64000 + RegisterImageRequest: + type: object + required: + - Name + title: RegisterImageRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The full path to your AMI manifest in Amazon S3 storage. The specified bucket must have the aws-exec-read canned access control list (ACL) to ensure that it can be accessed by Amazon EC2. For more information, see Canned ACLs in the Amazon S3 Service Developer Guide.' + architecture: + allOf: + - $ref: '#/components/schemas/ArchitectureValues' + - description: '

The architecture of the AMI.

Default: For Amazon EBS-backed AMIs, i386. For instance store-backed AMIs, the architecture specified in the manifest file.

' + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingRequestList' + - description: '

The block device mapping entries.

If you specify an Amazon EBS volume using the ID of an Amazon EBS snapshot, you can''t specify the encryption state of the volume.

If you create an AMI on an Outpost, then all backing snapshots must be on the same Outpost or in the Region of that Outpost. AMIs on an Outpost that include local snapshots can be used to launch instances on the same Outpost only. For more information, Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.

' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for your AMI. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + enaSupport: + allOf: + - $ref: '#/components/schemas/Boolean' + - description:

Set to true to enable enhanced networking with ENA for the AMI and any instances that you launch from the AMI.

This option is supported only for HVM AMIs. Specifying this option with a PV AMI can make instances launched from the AMI unreachable.

+ kernelId: + allOf: + - $ref: '#/components/schemas/KernelId' + - description: The ID of the kernel. + name: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A name for your AMI.

Constraints: 3-128 alphanumeric characters, parentheses (()), square brackets ([]), spaces ( ), periods (.), slashes (/), dashes (-), single quotes (''), at-signs (@), or underscores(_)

' + BillingProduct: + allOf: + - $ref: '#/components/schemas/BillingProductList' + - description: 'The billing product codes. Your account must be authorized to specify billing product codes. Otherwise, you can use the Amazon Web Services Marketplace to bill for the use of an AMI.' + ramdiskId: + allOf: + - $ref: '#/components/schemas/RamdiskId' + - description: The ID of the RAM disk. + rootDeviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The device name of the root device volume (for example, /dev/sda1).' + sriovNetSupport: + allOf: + - $ref: '#/components/schemas/String' + - description:

Set to simple to enable enhanced networking with the Intel 82599 Virtual Function interface for the AMI and any instances that you launch from the AMI.

There is no way to disable sriovNetSupport at this time.

This option is supported only for HVM AMIs. Specifying this option with a PV AMI can make instances launched from the AMI unreachable.

+ virtualizationType: + allOf: + - $ref: '#/components/schemas/StringType' + - description: 'Base64 representation of the non-volatile UEFI variable store. To retrieve the UEFI data, use the GetInstanceUefiData command. You can inspect and modify the UEFI data by using the python-uefivars tool on GitHub. For more information, see UEFI Secure Boot in the Amazon Elastic Compute Cloud User Guide.' + description: Contains the parameters for RegisterImage. + RegisterInstanceTagAttributeRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether to register all tag keys in the current Region. Specify true to register all tag keys. + InstanceTagKey: + allOf: + - $ref: '#/components/schemas/InstanceTagKeySet' + - description: The tag keys to register. + description: Information about the tag keys to register for the current Region. You can either specify individual tag keys or register all tag keys in the current Region. You must specify either IncludeAllTagsOfInstance or InstanceTagKeys in the request + RegisterInstanceEventNotificationAttributesRequest: + type: object + title: RegisterInstanceEventNotificationAttributesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/RegisterInstanceTagAttributeRequest' + - description: Information about the tag keys to register. + RegisterTransitGatewayMulticastGroupMembersRequest: + type: object + title: RegisterTransitGatewayMulticastGroupMembersRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastRegisteredGroupMembers: + type: object + properties: + transitGatewayMulticastDomainId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway multicast domain. + registeredNetworkInterfaceIds: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The ID of the registered network interfaces. + groupIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address assigned to the transit gateway multicast group. + description: Describes the registered transit gateway multicast group members. + RegisterTransitGatewayMulticastGroupSourcesRequest: + type: object + title: RegisterTransitGatewayMulticastGroupSourcesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastRegisteredGroupSources: + type: object + properties: + transitGatewayMulticastDomainId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway multicast domain. + registeredNetworkInterfaceIds: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the network interfaces members registered with the transit gateway multicast group. + groupIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address assigned to the transit gateway multicast group. + description: Describes the members registered with the transit gateway multicast group. + RejectTransitGatewayMulticastDomainAssociationsRequest: + type: object + title: RejectTransitGatewayMulticastDomainAssociationsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RejectTransitGatewayPeeringAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: RejectTransitGatewayPeeringAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RejectTransitGatewayVpcAttachmentRequest: + type: object + required: + - TransitGatewayAttachmentId + title: RejectTransitGatewayVpcAttachmentRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RejectVpcEndpointConnectionsRequest: + type: object + required: + - ServiceId + - VpcEndpointIds + title: RejectVpcEndpointConnectionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - description: The ID of the service. + VpcEndpointId: + allOf: + - $ref: '#/components/schemas/VpcEndpointIdList' + - description: The IDs of one or more VPC endpoints. + RejectVpcPeeringConnectionRequest: + type: object + required: + - VpcPeeringConnectionId + title: RejectVpcPeeringConnectionRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionId' + - description: The ID of the VPC peering connection. + ReleaseAddressRequest: + type: object + title: ReleaseAddressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The set of Availability Zones, Local Zones, or Wavelength Zones from which Amazon Web Services advertises IP addresses.

If you provide an incorrect network border group, you receive an InvalidAddress.NotFound error.

You cannot use a network border group with EC2 Classic. If you attempt this operation on EC2 classic, you receive an InvalidParameterCombination error.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ReleaseHostsRequest: + type: object + required: + - HostIds + title: ReleaseHostsRequest + properties: + hostId: + allOf: + - $ref: '#/components/schemas/RequestHostIdList' + - description: The IDs of the Dedicated Hosts to release. + ReleaseIpamPoolAllocationRequest: + type: object + required: + - IpamPoolId + - Cidr + - IpamPoolAllocationId + title: ReleaseIpamPoolAllocationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpamPoolAllocationId' + - description: The ID of the allocation. + RemovePrefixListEntries: + type: array + items: + $ref: '#/components/schemas/RemovePrefixListEntry' + minItems: 0 + maxItems: 100 + ReplaceIamInstanceProfileAssociationRequest: + type: object + required: + - IamInstanceProfile + - AssociationId + title: ReplaceIamInstanceProfileAssociationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileAssociationId' + - description: The ID of the existing IAM instance profile association. + ReplaceNetworkAclAssociationRequest: + type: object + required: + - AssociationId + - NetworkAclId + title: ReplaceNetworkAclAssociationRequest + properties: + associationId: + allOf: + - $ref: '#/components/schemas/NetworkAclAssociationId' + - description: The ID of the current association between the original network ACL and the subnet. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + networkAclId: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - description: The ID of the new network ACL to associate with the subnet. + ReplaceNetworkAclEntryRequest: + type: object + required: + - Egress + - NetworkAclId + - Protocol + - RuleAction + - RuleNumber + title: ReplaceNetworkAclEntryRequest + properties: + cidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv4 network range to allow or deny, in CIDR notation (for example 172.16.0.0/24).' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + egress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether to replace the egress rule.

Default: If no value is specified, we replace the ingress rule.

' + Icmp: + allOf: + - $ref: '#/components/schemas/IcmpTypeCode' + - description: 'ICMP protocol: The ICMP or ICMPv6 type and code. Required if specifying protocol 1 (ICMP) or protocol 58 (ICMPv6) with an IPv6 CIDR block.' + ipv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IPv6 network range to allow or deny, in CIDR notation (for example 2001:bd8:1234:1a00::/64).' + networkAclId: + allOf: + - $ref: '#/components/schemas/NetworkAclId' + - description: The ID of the ACL. + portRange: + allOf: + - $ref: '#/components/schemas/PortRange' + - description: 'TCP or UDP protocols: The range of ports the rule applies to. Required if specifying protocol 6 (TCP) or 17 (UDP).' + protocol: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The protocol number. A value of "-1" means all protocols. If you specify "-1" or a protocol number other than "6" (TCP), "17" (UDP), or "1" (ICMP), traffic on all ports is allowed, regardless of any ports or ICMP types or codes that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv4 CIDR block, traffic for all ICMP types and codes allowed, regardless of any that you specify. If you specify protocol "58" (ICMPv6) and specify an IPv6 CIDR block, you must specify an ICMP type and code.' + ruleAction: + allOf: + - $ref: '#/components/schemas/RuleAction' + - description: Indicates whether to allow or deny the traffic that matches the rule. + ruleNumber: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The rule number of the entry to replace. + ReplaceRootVolumeTaskState: + type: string + enum: + - pending + - in-progress + - failing + - succeeded + - failed + - failed-detached + ReplaceRouteRequest: + type: object + required: + - RouteTableId + title: ReplaceRouteRequest + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR address block used for the destination match. The value that you provide must match the CIDR of an existing route in the table. + destinationIpv6CidrBlock: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list for the route. + dryRun: + allOf: + - $ref: '#/components/schemas/VpcEndpointId' + - description: The ID of a VPC endpoint. Supported for Gateway Load Balancer endpoints only. + egressOnlyInternetGatewayId: + allOf: + - $ref: '#/components/schemas/EgressOnlyInternetGatewayId' + - description: '[IPv6 traffic only] The ID of an egress-only internet gateway.' + gatewayId: + allOf: + - $ref: '#/components/schemas/RouteGatewayId' + - description: The ID of an internet gateway or virtual private gateway. + instanceId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Specifies whether to reset the local route to its default target (local). + natGatewayId: + allOf: + - $ref: '#/components/schemas/CarrierGatewayId' + - description: '[IPv4 traffic only] The ID of a carrier gateway.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of a network interface. + routeTableId: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - description: The ID of the route table. + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/CoreNetworkArn' + - description: The Amazon Resource Name (ARN) of the core network. + ReplaceRouteTableAssociationRequest: + type: object + required: + - AssociationId + - RouteTableId + title: ReplaceRouteTableAssociationRequest + properties: + associationId: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationId' + - description: The association ID. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + routeTableId: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - description: The ID of the new route table to associate with the subnet. + ReplaceTransitGatewayRouteRequest: + type: object + required: + - DestinationCidrBlock + - TransitGatewayRouteTableId + title: ReplaceTransitGatewayRouteRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ReplacementStrategy: + type: string + enum: + - launch + - launch-before-terminate + ReportStatusType: + type: string + enum: + - ok + - impaired + ReportInstanceStatusRequest: + type: object + required: + - Instances + - ReasonCodes + - Status + title: ReportInstanceStatusRequest + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: Descriptive text about the health state of your instance. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + endTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time at which the reported instance health state ended. + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: The instances. + reasonCode: + allOf: + - $ref: '#/components/schemas/ReasonCodesList' + - description: '

The reason codes that describe the health state of your instance.

' + startTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time at which the reported instance health state began. + status: + allOf: + - $ref: '#/components/schemas/ReportStatusType' + - description: The status of all instances listed. + RequestHostIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/DedicatedHostId' + - xml: + name: item + SpotFleetRequestConfigData: + type: object + required: + - IamFleetRole + - TargetCapacity + properties: + allocationStrategy: + allOf: + - $ref: '#/components/schemas/AllocationStrategy' + - description: '

Indicates how to allocate the target Spot Instance capacity across the Spot Instance pools specified by the Spot Fleet request.

If the allocation strategy is lowestPrice, Spot Fleet launches instances from the Spot Instance pools with the lowest price. This is the default allocation strategy.

If the allocation strategy is diversified, Spot Fleet launches instances from all the Spot Instance pools that you specify.

If the allocation strategy is capacityOptimized (recommended), Spot Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching. To give certain instance types a higher chance of launching first, use capacityOptimizedPrioritized. Set a priority for each instance type by using the Priority parameter for LaunchTemplateOverrides. You can assign the same priority to different LaunchTemplateOverrides. EC2 implements the priorities on a best-effort basis, but optimizes for capacity first. capacityOptimizedPrioritized is supported only if your Spot Fleet uses a launch template. Note that if the OnDemandAllocationStrategy is set to prioritized, the same priority is applied when fulfilling On-Demand capacity.

' + onDemandAllocationStrategy: + allOf: + - $ref: '#/components/schemas/OnDemandAllocationStrategy' + - description: 'The order of the launch template overrides to use in fulfilling On-Demand capacity. If you specify lowestPrice, Spot Fleet uses price to determine the order, launching the lowest price first. If you specify prioritized, Spot Fleet uses the priority that you assign to each Spot Fleet launch template override, launching the highest priority first. If you do not specify a value, Spot Fleet defaults to lowestPrice.' + spotMaintenanceStrategies: + allOf: + - $ref: '#/components/schemas/SpotMaintenanceStrategies' + - description: The strategies for managing your Spot Instances that are at an elevated risk of being interrupted. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive identifier that you provide to ensure the idempotency of your listings. This helps to avoid duplicate listings. For more information, see Ensuring Idempotency.' + excessCapacityTerminationPolicy: + allOf: + - $ref: '#/components/schemas/ExcessCapacityTerminationPolicy' + - description: Indicates whether running Spot Instances should be terminated if you decrease the target capacity of the Spot Fleet request below the current size of the Spot Fleet. + fulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of units fulfilled by this request compared to the set target capacity. You cannot set this value. + onDemandFulfilledCapacity: + allOf: + - $ref: '#/components/schemas/Double' + - description: The number of On-Demand units fulfilled by this request compared to the set target On-Demand capacity. + iamFleetRole: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Amazon Resource Name (ARN) of an Identity and Access Management (IAM) role that grants the Spot Fleet the permission to request, launch, terminate, and tag instances on your behalf. For more information, see Spot Fleet prerequisites in the Amazon EC2 User Guide for Linux Instances. Spot Fleet can terminate Spot Instances on your behalf when you cancel its Spot Fleet request using CancelSpotFleetRequests or when the Spot Fleet request expires, if you set TerminateInstancesWithExpiration.' + launchSpecifications: + allOf: + - $ref: '#/components/schemas/LaunchSpecsList' + - description: 'The launch specifications for the Spot Fleet request. If you specify LaunchSpecifications, you can''t specify LaunchTemplateConfigs. If you include On-Demand capacity in your request, you must use LaunchTemplateConfigs.' + launchTemplateConfigs: + allOf: + - $ref: '#/components/schemas/LaunchTemplateConfigList' + - description: 'The launch template and overrides. If you specify LaunchTemplateConfigs, you can''t specify LaunchSpecifications. If you include On-Demand capacity in your request, you must use LaunchTemplateConfigs.' + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per unit hour that you are willing to pay for a Spot Instance. The default is the On-Demand price. + targetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of units to request for the Spot Fleet. You can choose to set the target capacity in terms of instances or a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.' + onDemandTargetCapacity: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The number of On-Demand units to request. You can choose to set the target capacity in terms of instances or a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.' + onDemandMaxTotalPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The maximum amount per hour for On-Demand Instances that you''re willing to pay. You can use the onDemandMaxTotalPrice parameter, the spotMaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, Spot Fleet will launch instances until it reaches the maximum amount you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity.' + spotMaxTotalPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The maximum amount per hour for Spot Instances that you''re willing to pay. You can use the spotdMaxTotalPrice parameter, the onDemandMaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, Spot Fleet will launch instances until it reaches the maximum amount you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity.' + terminateInstancesWithExpiration: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether running Spot Instances are terminated when the Spot Fleet request expires. + type: + allOf: + - $ref: '#/components/schemas/FleetType' + - description: 'The type of request. Indicates whether the Spot Fleet only requests the target capacity or also attempts to maintain it. When this value is request, the Spot Fleet only places the required requests. It does not attempt to replenish Spot Instances if capacity is diminished, nor does it submit requests in alternative Spot pools if capacity is not available. When this value is maintain, the Spot Fleet maintains the target capacity. The Spot Fleet places the required requests to meet capacity and automatically replenishes any interrupted instances. Default: maintain. instant is listed but is not used by Spot Fleet.' + validFrom: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The start date and time of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ). By default, Amazon EC2 starts fulfilling the request immediately.' + validUntil: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The end date and time of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ). After the end date and time, no new Spot Instance requests are placed or able to fulfill the request. If no value is specified, the Spot Fleet request remains until you cancel it.' + replaceUnhealthyInstances: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether Spot Fleet should replace unhealthy instances. + instanceInterruptionBehavior: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. The default is terminate. + loadBalancersConfig: + allOf: + - $ref: '#/components/schemas/LoadBalancersConfig' + - description: '

One or more Classic Load Balancers and target groups to attach to the Spot Fleet request. Spot Fleet registers the running Spot Instances with the specified Classic Load Balancers and target groups.

With Network Load Balancers, Spot Fleet cannot register instances that have the following instance types: C1, CC1, CC2, CG1, CG2, CR1, CS1, G1, G2, HI1, HS1, M1, M2, M3, and T1.

' + instancePoolsToUseCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The number of Spot pools across which to allocate your target Spot capacity. Valid only when Spot AllocationStrategy is set to lowest-price. Spot Fleet selects the cheapest Spot pools and evenly allocates your target Spot capacity across the number of Spot pools that you specify.

Note that Spot Fleet attempts to draw Spot Instances from the number of pools that you specify on a best effort basis. If a pool runs out of Spot capacity before fulfilling your target capacity, Spot Fleet will continue to fulfill your request by drawing from the next cheapest pool. To ensure that your target capacity is met, you might receive Spot Instances from more than the number of pools that you specified. Similarly, if most of the pools have no Spot capacity, you might receive your full target capacity from fewer than the number of pools that you specified.

' + context: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + targetCapacityUnitType: + allOf: + - $ref: '#/components/schemas/TargetCapacityUnitType' + - description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/TagSpecificationList' + - description: 'The key-value pair for tagging the Spot Fleet request on creation. The value for ResourceType must be spot-fleet-request, otherwise the Spot Fleet request fails. To tag instances at launch, specify the tags in the launch template (valid only if you use LaunchTemplateConfigs) or in the SpotFleetTagSpecification (valid only if you use LaunchSpecifications). For information about tagging after launch, see Tagging Your Resources.' + description: Describes the configuration of a Spot Fleet request. + RequestSpotFleetRequest: + type: object + required: + - SpotFleetRequestConfig + title: RequestSpotFleetRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + spotFleetRequestConfig: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestConfigData' + - description: The configuration for the Spot Fleet request. + description: Contains the parameters for RequestSpotFleet. + RequestSpotLaunchSpecification: + type: object + properties: + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/RequestSpotLaunchSpecificationSecurityGroupIdList' + - description: One or more security group IDs. + SecurityGroup: + allOf: + - $ref: '#/components/schemas/RequestSpotLaunchSpecificationSecurityGroupList' + - description: 'One or more security groups. When requesting instances in a VPC, you must specify the IDs of the security groups. When requesting instances in EC2-Classic, you can specify the names or the IDs of the security groups.' + addressingType: + allOf: + - $ref: '#/components/schemas/String' + - description: Deprecated. + blockDeviceMapping: + allOf: + - $ref: '#/components/schemas/BlockDeviceMappingList' + - description: 'One or more block device mapping entries. You can''t specify both a snapshot ID and an encryption value. This is because only blank volumes can be encrypted on creation. If a snapshot is the basis for a volume, it is not blank and its encryption status is used for the volume encryption status.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether the instance is optimized for EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal EBS I/O performance. This optimization isn''t available with all instance types. Additional usage charges apply when using an EBS Optimized instance.

Default: false

' + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileSpecification' + - description: The IAM instance profile. + imageId: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the AMI. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. Only one instance type can be specified. + kernelId: + allOf: + - $ref: '#/components/schemas/KernelId' + - description: The ID of the kernel. + keyName: + allOf: + - $ref: '#/components/schemas/KeyPairName' + - description: The name of the key pair. + monitoring: + allOf: + - $ref: '#/components/schemas/RunInstancesMonitoringEnabled' + - description: '

Indicates whether basic or detailed monitoring is enabled for the instance.

Default: Disabled

' + NetworkInterface: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecificationList' + - description: 'One or more network interfaces. If you specify a network interface, you must specify subnet IDs and security group IDs using the network interface.' + placement: + allOf: + - $ref: '#/components/schemas/SpotPlacement' + - description: The placement information for the instance. + ramdiskId: + allOf: + - $ref: '#/components/schemas/RamdiskId' + - description: The ID of the RAM disk. + subnetId: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet in which to launch the instance. + userData: + allOf: + - $ref: '#/components/schemas/String' + - description: The Base64-encoded user data for the instance. User data is limited to 16 KB. + description: Describes the launch specification for an instance. + RequestSpotInstancesRequest: + type: object + title: RequestSpotInstancesRequest + properties: + availabilityZoneGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The user-specified name for a logical grouping of requests.

When you specify an Availability Zone group in a Spot Instance request, all Spot Instances in the request are launched in the same Availability Zone. Instance proximity is maintained with this parameter, but the choice of Availability Zone is not. The group applies only to requests for Spot Instances of the same instance type. Any additional Spot Instance requests that are specified with the same Availability Zone group name are launched in that same Availability Zone, as long as at least one instance from the group is still active.

If there is no active instance running in the Availability Zone group that you specify for a new Spot Instance request (all instances are terminated, the request is expired, or the maximum price you specified falls below current Spot price), then Amazon EC2 launches the instance in any Availability Zone where the constraint can be met. Consequently, the subsequent set of Spot Instances could be placed in a different zone from the original request, even if you specified the same Availability Zone group.

Default: Instances are launched in any available Availability Zone.

' + blockDurationMinutes: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Deprecated. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to Ensure Idempotency in the Amazon EC2 User Guide for Linux Instances.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The maximum number of Spot Instances to launch.

Default: 1

' + launchGroup: + allOf: + - $ref: '#/components/schemas/RequestSpotLaunchSpecification' + - description: The launch specification. + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per hour that you are willing to pay for a Spot Instance. The default is the On-Demand price. + type: + allOf: + - $ref: '#/components/schemas/SpotInstanceType' + - description: '

The Spot Instance request type.

Default: one-time

' + validFrom: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: '

The start date of the request. If this is a one-time request, the request becomes active at this date and time and remains active until all instances launch, the request expires, or the request is canceled. If the request is persistent, the request becomes active at this date and time and remains active until it expires or is canceled.

The specified start date and time cannot be equal to the current date and time. You must specify a start date and time that occurs after the current date and time.

' + validUntil: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: '

The end date of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ).

' + TagSpecification: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. The default is terminate. + description: Contains the parameters for RequestSpotInstances. + ReservationFleetInstanceSpecificationList: + type: array + items: + $ref: '#/components/schemas/ReservationFleetInstanceSpecification' + ReservedInstanceLimitPrice: + type: object + properties: + amount: + allOf: + - $ref: '#/components/schemas/Double' + - description: Used for Reserved Instance Marketplace offerings. Specifies the limit price on the total order (instanceCount * price). + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency in which the limitPrice amount is specified. At this time, the only supported currency is USD.' + description: Describes the limit price of a Reserved Instance offering. + ReservedInstanceReservationValue: + type: object + properties: + reservationValue: + allOf: + - $ref: '#/components/schemas/ReservationValue' + - description: The total value of the Convertible Reserved Instance that you are exchanging. + reservedInstanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Convertible Reserved Instance that you are exchanging. + description: The total value of the Convertible Reserved Instance. + ReservedInstanceState: + type: string + enum: + - payment-pending + - active + - payment-failed + - retired + - queued + - queued-deleted + scope: + type: string + enum: + - Availability Zone + - Region + ReservedInstances: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which the Reserved Instance can be used. + duration: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The duration of the Reserved Instance, in seconds.' + end: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time when the Reserved Instance expires. + fixedPrice: + allOf: + - $ref: '#/components/schemas/Float' + - description: The purchase price of the Reserved Instance. + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of reservations purchased. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type on which the Reserved Instance can be used. + productDescription: + allOf: + - $ref: '#/components/schemas/RIProductDescription' + - description: The Reserved Instance product platform description. + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance. + start: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time the Reserved Instance started. + state: + allOf: + - $ref: '#/components/schemas/ReservedInstanceState' + - description: The state of the Reserved Instance purchase. + usagePrice: + allOf: + - $ref: '#/components/schemas/Float' + - description: 'The usage price of the Reserved Instance, per hour.' + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency of the Reserved Instance. It''s specified using ISO 4217 standard currency codes. At this time, the only supported currency is USD.' + instanceTenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: The tenancy of the instance. + offeringClass: + allOf: + - $ref: '#/components/schemas/OfferingClassType' + - description: The offering class of the Reserved Instance. + offeringType: + allOf: + - $ref: '#/components/schemas/OfferingTypeValues' + - description: The Reserved Instance offering type. + recurringCharges: + allOf: + - $ref: '#/components/schemas/RecurringChargesList' + - description: The recurring charge tag assigned to the resource. + scope: + allOf: + - $ref: '#/components/schemas/scope' + - description: The scope of the Reserved Instance. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the resource. + description: Describes a Reserved Instance. + ReservedInstancesId: + type: object + properties: + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance. + description: Describes the ID of a Reserved Instance. + ReservedInstancesListing: + type: object + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive key supplied by the client to ensure that the request is idempotent. For more information, see Ensuring Idempotency.' + createDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time the listing was created. + instanceCounts: + allOf: + - $ref: '#/components/schemas/InstanceCountList' + - description: The number of instances in this state. + priceSchedules: + allOf: + - $ref: '#/components/schemas/PriceScheduleList' + - description: The price of the Reserved Instance listing. + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance. + reservedInstancesListingId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance listing. + status: + allOf: + - $ref: '#/components/schemas/ListingStatus' + - description: The status of the Reserved Instance listing. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason for the current status of the Reserved Instance listing. The response can be blank. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the resource. + updateDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The last modified timestamp of the listing. + description: Describes a Reserved Instance listing. + ReservedInstancesModificationResultList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModificationResult' + - xml: + name: item + ReservedIntancesIds: + type: array + items: + allOf: + - $ref: '#/components/schemas/ReservedInstancesId' + - xml: + name: item + ReservedInstancesModification: + type: object + properties: + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A unique, case-sensitive key supplied by the client to ensure that the request is idempotent. For more information, see Ensuring Idempotency.' + createDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time when the modification request was created. + effectiveDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time for the modification to become effective. + modificationResultSet: + allOf: + - $ref: '#/components/schemas/ReservedInstancesModificationResultList' + - description: Contains target configurations along with their corresponding new Reserved Instance IDs. + reservedInstancesSet: + allOf: + - $ref: '#/components/schemas/ReservedIntancesIds' + - description: The IDs of one or more Reserved Instances. + reservedInstancesModificationId: + allOf: + - $ref: '#/components/schemas/String' + - description: A unique ID for the Reserved Instance modification. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: The status of the Reserved Instances modification request. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason for the status. + updateDate: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time when the modification request was last updated. + description: Describes a Reserved Instance modification. + ReservedInstancesModificationResult: + type: object + properties: + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID for the Reserved Instances that were created as part of the modification request. This field is only available when the modification is fulfilled. + targetConfiguration: + allOf: + - $ref: '#/components/schemas/ReservedInstancesConfiguration' + - description: The target Reserved Instances configurations supplied as part of the modification request. + description: Describes the modification request/s. + ReservedInstancesOffering: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which the Reserved Instance can be used. + duration: + allOf: + - $ref: '#/components/schemas/Long' + - description: 'The duration of the Reserved Instance, in seconds.' + fixedPrice: + allOf: + - $ref: '#/components/schemas/Float' + - description: The purchase price of the Reserved Instance. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type on which the Reserved Instance can be used. + productDescription: + allOf: + - $ref: '#/components/schemas/RIProductDescription' + - description: The Reserved Instance product platform description. + reservedInstancesOfferingId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance offering. This is the offering ID used in GetReservedInstancesExchangeQuote to confirm that an exchange can be made. + usagePrice: + allOf: + - $ref: '#/components/schemas/Float' + - description: 'The usage price of the Reserved Instance, per hour.' + currencyCode: + allOf: + - $ref: '#/components/schemas/CurrencyCodeValues' + - description: 'The currency of the Reserved Instance offering you are purchasing. It''s specified using ISO 4217 standard currency codes. At this time, the only supported currency is USD.' + instanceTenancy: + allOf: + - $ref: '#/components/schemas/Tenancy' + - description: The tenancy of the instance. + marketplace: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Indicates whether the offering is available through the Reserved Instance Marketplace (resale) or Amazon Web Services. If it''s a Reserved Instance Marketplace offering, this is true.' + offeringClass: + allOf: + - $ref: '#/components/schemas/OfferingClassType' + - description: 'If convertible it can be exchanged for Reserved Instances of the same or higher monetary value, with different configurations. If standard, it is not possible to perform an exchange.' + offeringType: + allOf: + - $ref: '#/components/schemas/OfferingTypeValues' + - description: The Reserved Instance offering type. + pricingDetailsSet: + allOf: + - $ref: '#/components/schemas/PricingDetailsList' + - description: The pricing details of the Reserved Instance offering. + recurringCharges: + allOf: + - $ref: '#/components/schemas/RecurringChargesList' + - description: The recurring charge tag assigned to the resource. + scope: + allOf: + - $ref: '#/components/schemas/scope' + - description: Whether the Reserved Instance is applied to instances in a Region or an Availability Zone. + description: Describes a Reserved Instance offering. + ResetAddressAttributeRequest: + type: object + required: + - AllocationId + - Attribute + title: ResetAddressAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ResetEbsDefaultKmsKeyIdRequest: + type: object + title: ResetEbsDefaultKmsKeyIdRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ResetFpgaImageAttributeName: + type: string + enum: + - loadPermission + ResetFpgaImageAttributeRequest: + type: object + required: + - FpgaImageId + title: ResetFpgaImageAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ResetFpgaImageAttributeName' + - description: The attribute. + ResetImageAttributeName: + type: string + enum: + - launchPermission + ResetImageAttributeRequest: + type: object + required: + - Attribute + - ImageId + title: ResetImageAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ImageId' + - description: The ID of the AMI. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + description: Contains the parameters for ResetImageAttribute. + ResetInstanceAttributeRequest: + type: object + required: + - Attribute + - InstanceId + title: ResetInstanceAttributeRequest + properties: + attribute: + allOf: + - $ref: '#/components/schemas/InstanceAttributeName' + - description: '

The attribute to reset.

You can only reset the following attributes: kernel | ramdisk | sourceDestCheck.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: The ID of the instance. + ResetNetworkInterfaceAttributeRequest: + type: object + required: + - NetworkInterfaceId + title: ResetNetworkInterfaceAttributeRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + sourceDestCheck: + allOf: + - $ref: '#/components/schemas/String' + - description: The source/destination checking attribute. Resets the value to true. + description: Contains the parameters for ResetNetworkInterfaceAttribute. + ResetSnapshotAttributeRequest: + type: object + required: + - Attribute + - SnapshotId + title: ResetSnapshotAttributeRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the snapshot. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ResourceList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + RestoreAddressToClassicRequest: + type: object + required: + - PublicIp + title: RestoreAddressToClassicRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + publicIp: + allOf: + - $ref: '#/components/schemas/String' + - description: The Elastic IP address. + RestoreImageFromRecycleBinRequest: + type: object + required: + - ImageId + title: RestoreImageFromRecycleBinRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RestoreManagedPrefixListVersionRequest: + type: object + required: + - PrefixListId + - PreviousVersion + - CurrentVersion + title: RestoreManagedPrefixListVersionRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Long' + - description: The current version number for the prefix list. + RestoreSnapshotFromRecycleBinRequest: + type: object + required: + - SnapshotId + title: RestoreSnapshotFromRecycleBinRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SnapshotState: + type: string + enum: + - pending + - completed + - error + - recoverable + - recovering + RestoreSnapshotTierRequest: + type: object + required: + - SnapshotId + title: RestoreSnapshotTierRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + RestoreSnapshotTierRequestTemporaryRestoreDays: + type: integer + ResultRange: + type: integer + minimum: 20 + maximum: 500 + RevokeClientVpnIngressRequest: + type: object + required: + - ClientVpnEndpointId + - TargetNetworkCidr + title: RevokeClientVpnIngressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SecurityGroupRuleIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: item + RevokeSecurityGroupEgressRequest: + type: object + required: + - GroupId + title: RevokeSecurityGroupEgressRequest + properties: + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + groupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - description: The ID of the security group. + ipPermissions: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: The sets of IP permissions. You can't specify a destination security group and a CIDR IP address range in the same set of permissions. + SecurityGroupRuleId: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleIdList' + - description: The IDs of the security group rules. + cidrIp: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify the CIDR. + fromPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Not supported. Use a set of IP permissions to specify the port. + ipProtocol: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify the protocol name or number. + toPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Not supported. Use a set of IP permissions to specify the port. + sourceSecurityGroupName: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify a destination security group. + sourceSecurityGroupOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: Not supported. Use a set of IP permissions to specify a destination security group. + RevokeSecurityGroupIngressRequest: + type: object + title: RevokeSecurityGroupIngressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The end of port range for the TCP and UDP protocols, or an ICMP code number. For the ICMP code number, use -1 to specify all ICMP codes for the ICMP type.' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SecurityGroupRuleId: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleIdList' + - description: The IDs of the security group rules. + RootDeviceType: + type: string + enum: + - ebs + - instance-store + RouteOrigin: + type: string + enum: + - CreateRouteTable + - CreateRoute + - EnableVgwRoutePropagation + RouteState: + type: string + enum: + - active + - blackhole + Route: + type: object + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR block used for the destination match. + destinationIpv6CidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR block used for the destination match. + destinationPrefixListId: + allOf: + - $ref: '#/components/schemas/String' + - description: The prefix of the Amazon Web Service. + egressOnlyInternetGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the egress-only internet gateway. + gatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a gateway attached to your VPC. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a NAT instance in your VPC. + instanceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of Amazon Web Services account that owns the instance. + natGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a NAT gateway. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a transit gateway. + localGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the local gateway. + carrierGatewayId: + allOf: + - $ref: '#/components/schemas/CarrierGatewayId' + - description: The ID of the carrier gateway. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the network interface. + origin: + allOf: + - $ref: '#/components/schemas/RouteOrigin' + - description:

Describes how the route was created.

+ state: + allOf: + - $ref: '#/components/schemas/RouteState' + - description: 'The state of the route. The blackhole state indicates that the route''s target isn''t available (for example, the specified gateway isn''t attached to the VPC, or the specified NAT instance has been terminated).' + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of a VPC peering connection. + coreNetworkArn: + allOf: + - $ref: '#/components/schemas/CoreNetworkArn' + - description: The Amazon Resource Name (ARN) of the core network. + description: Describes a route in a route table. + RouteList: + type: array + items: + allOf: + - $ref: '#/components/schemas/Route' + - xml: + name: item + RouteTableAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableAssociation' + - xml: + name: item + RouteTableAssociation: + type: object + properties: + main: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether this is the main route table. + routeTableAssociationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the association. + routeTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the route table. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. A subnet ID is not returned for an implicit association. + gatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the internet gateway or virtual private gateway. + associationState: + allOf: + - $ref: '#/components/schemas/RouteTableAssociationState' + - description: The state of the association. + description: Describes an association between a route table and a subnet or gateway. + RouteTableAssociationStateCode: + type: string + enum: + - associating + - associated + - disassociating + - disassociated + - failed + RouteTableIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/RouteTableId' + - xml: + name: item + RunInstancesUserData: + type: string + format: password + RunInstancesRequest: + type: object + required: + - MaxCount + - MinCount + title: RunInstancesRequest + properties: + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

[EC2-VPC] The number of IPv6 addresses to associate with the primary network interface. Amazon EC2 chooses the IPv6 addresses from the range of your subnet. You cannot specify this option and the option to assign specific IPv6 addresses in the same request. You can specify this option if you''ve specified a minimum number of instances to launch.

You cannot specify this option and the network interfaces option in the same request.

' + Ipv6Address: + allOf: + - $ref: '#/components/schemas/RamdiskId' + - description: '

The ID of the RAM disk to select. Some kernels require additional drivers at launch. Check the kernel requirements for information about whether you need to specify a RAM disk. To find kernel requirements, go to the Amazon Web Services Resource Center and search for the kernel ID.

We recommend that you use PV-GRUB instead of kernels and RAM disks. For more information, see PV-GRUB in the Amazon EC2 User Guide.

' + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupIdStringList' + - description: '

The IDs of the security groups. You can create a security group using CreateSecurityGroup.

If you specify a network interface, you must specify any security groups as part of the network interface.

' + SecurityGroup: + allOf: + - $ref: '#/components/schemas/RunInstancesUserData' + - description: 'The user data script to make available to the instance. For more information, see Run commands on your Linux instance at launch and Run commands on your Windows instance at launch. If you are using a command line tool, base64-encoding is performed for you, and you can load the text from a file. Otherwise, you must provide base64-encoded text. User data is limited to 16 KB.' + additionalInfo: + allOf: + - $ref: '#/components/schemas/String' + - description: Reserved. + clientToken: + allOf: + - $ref: '#/components/schemas/String' + - description: '

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. If you do not specify a client token, a randomly generated token is used for the request to ensure idempotency.

For more information, see Ensuring Idempotency.

Constraints: Maximum 64 ASCII characters

' + disableApiTermination: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

If you set this parameter to true, you can''t terminate the instance using the Amazon EC2 console, CLI, or API; otherwise, you can. To change this attribute after launch, use ModifyInstanceAttribute. Alternatively, if you set InstanceInitiatedShutdownBehavior to terminate, you can terminate the instance by running the shutdown command from the instance.

Default: false

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ebsOptimized: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Indicates whether the instance is optimized for Amazon EBS I/O. This optimization provides dedicated throughput to Amazon EBS and an optimized configuration stack to provide optimal Amazon EBS I/O performance. This optimization isn''t available with all instance types. Additional usage charges apply when using an EBS-optimized instance.

Default: false

' + iamInstanceProfile: + allOf: + - $ref: '#/components/schemas/IamInstanceProfileSpecification' + - description: The name or Amazon Resource Name (ARN) of an IAM instance profile. + instanceInitiatedShutdownBehavior: + allOf: + - $ref: '#/components/schemas/ShutdownBehavior' + - description: '

Indicates whether an instance stops or terminates when you initiate shutdown from the instance (using the operating system command for system shutdown).

Default: stop

' + networkInterface: + allOf: + - $ref: '#/components/schemas/InstanceNetworkInterfaceSpecificationList' + - description: 'The network interfaces to associate with the instance. If you specify a network interface, you must specify any security groups and subnets as part of the network interface.' + privateIpAddress: + allOf: + - $ref: '#/components/schemas/ElasticGpuSpecifications' + - description: 'An elastic GPU to associate with the instance. An Elastic GPU is a GPU resource that you can attach to your Windows instance to accelerate the graphics performance of your applications. For more information, see Amazon EC2 Elastic GPUs in the Amazon EC2 User Guide.' + ElasticInferenceAccelerator: + allOf: + - $ref: '#/components/schemas/ElasticInferenceAccelerators' + - description:

An elastic inference accelerator to associate with the instance. Elastic inference accelerators are a resource you can attach to your Amazon EC2 instances to accelerate your Deep Learning (DL) inference workloads.

You cannot specify accelerators from different generations in the same request.

+ TagSpecification: + allOf: + - $ref: '#/components/schemas/HibernationOptionsRequest' + - description: '

Indicates whether an instance is enabled for hibernation. For more information, see Hibernate your instance in the Amazon EC2 User Guide.

You can''t enable hibernation and Amazon Web Services Nitro Enclaves on the same instance.

' + LicenseSpecification: + allOf: + - $ref: '#/components/schemas/InstanceMaintenanceOptionsRequest' + - description: The maintenance and recovery options for the instance. + RunScheduledInstancesRequest: + type: object + required: + - LaunchSpecification + - ScheduledInstanceId + title: RunScheduledInstancesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceId' + - description: The Scheduled Instance ID. + description: Contains the parameters for RunScheduledInstances. + S3ObjectTagList: + type: array + items: + allOf: + - $ref: '#/components/schemas/S3ObjectTag' + - xml: + name: item + ScheduledInstanceRecurrence: + type: object + properties: + frequency: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The frequency (Daily, Weekly, or Monthly).' + interval: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The interval quantity. The interval unit depends on the value of frequency. For example, every 2 weeks or every 2 months.' + occurrenceDaySet: + allOf: + - $ref: '#/components/schemas/OccurrenceDaySet' + - description: 'The days. For a monthly schedule, this is one or more days of the month (1-31). For a weekly schedule, this is one or more days of the week (1-7, where 1 is Sunday).' + occurrenceRelativeToEnd: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the occurrence is relative to the end of the specified week or month. + occurrenceUnit: + allOf: + - $ref: '#/components/schemas/String' + - description: The unit for occurrenceDaySet (DayOfWeek or DayOfMonth). + description: Describes the recurring schedule for a Scheduled Instance. + ScheduledInstanceAvailability: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + availableInstanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of available instances. + firstSlotStartTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The time period for the first schedule to start. + hourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The hourly price for a single instance. + instanceType: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The instance type. You can specify one of the C3, C4, M4, or R3 instance types.' + maxTermDurationInDays: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The maximum term. The only possible value is 365 days. + minTermDurationInDays: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The minimum term. The only possible value is 365 days. + networkPlatform: + allOf: + - $ref: '#/components/schemas/String' + - description: The network platform (EC2-Classic or EC2-VPC). + platform: + allOf: + - $ref: '#/components/schemas/String' + - description: The platform (Linux/UNIX or Windows). + purchaseToken: + allOf: + - $ref: '#/components/schemas/String' + - description: The purchase token. This token expires in two hours. + recurrence: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceRecurrence' + - description: The schedule recurrence. + slotDurationInHours: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of hours in the schedule. + totalScheduledInstanceHours: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The total number of hours for a single instance for the entire term. + description: Describes a schedule that is available for your Scheduled Instances. + ScheduledInstanceIdRequestSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstanceId' + - xml: + name: ScheduledInstanceId + ScheduledInstancesBlockDeviceMapping: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The virtual device name (ephemeralN). Instance store volumes are numbered starting from 0. An instance type with two available instance store volumes can specify mappings for ephemeral0 and ephemeral1. The number of available instance store volumes depends on the instance type. After you connect to the instance, you must mount the volume.

Constraints: For M3 instances, you must specify instance store volumes in the block device mapping for the instance. When you launch an M3 instance, we ignore any instance store volumes specified in the block device mapping for the AMI.

' + description: Describes a block device mapping for a Scheduled Instance. + ScheduledInstancesBlockDeviceMappingSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstancesBlockDeviceMapping' + - xml: + name: BlockDeviceMapping + ScheduledInstancesEbs: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The volume type. gp2 for General Purpose SSD, io1 or io2 for Provisioned IOPS SSD, Throughput Optimized HDD for st1, Cold HDD for sc1, or standard for Magnetic.

Default: gp2

' + description: Describes an EBS volume for a Scheduled Instance. + ScheduledInstancesIamInstanceProfile: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The name. + description: Describes an IAM instance profile for a Scheduled Instance. + ScheduledInstancesIpv6Address: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Ipv6Address' + - description: The IPv6 address. + description: Describes an IPv6 address. + ScheduledInstancesIpv6AddressList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstancesIpv6Address' + - xml: + name: Ipv6Address + ScheduledInstancesLaunchSpecification: + type: object + required: + - ImageId + properties: + BlockDeviceMapping: + allOf: + - $ref: '#/components/schemas/ScheduledInstancesMonitoring' + - description: Enable or disable monitoring for the instances. + NetworkInterface: + allOf: + - $ref: '#/components/schemas/RamdiskId' + - description: The ID of the RAM disk. + SecurityGroupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The base64-encoded MIME user data. + description: '

Describes the launch specification for a Scheduled Instance.

If you are launching the Scheduled Instance in EC2-VPC, you must specify the ID of the subnet. You can specify the subnet using either SubnetId or NetworkInterface.

' + ScheduledInstancesNetworkInterface: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The index of the device for the network interface attachment. + Group: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of IPv6 addresses to assign to the network interface. The IPv6 addresses are automatically selected from the subnet range. + Ipv6Address: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 address of the network interface within the subnet. + PrivateIpAddressConfig: + allOf: + - $ref: '#/components/schemas/SubnetId' + - description: The ID of the subnet. + description: Describes a network interface for a Scheduled Instance. + ScheduledInstancesNetworkInterfaceSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ScheduledInstancesNetworkInterface' + - xml: + name: NetworkInterface + ScheduledInstancesPlacement: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/PlacementGroupName' + - description: The name of the placement group. + description: Describes the placement for a Scheduled Instance. + ScheduledInstancesSecurityGroupIdSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - xml: + name: SecurityGroupId + SearchLocalGatewayRoutesRequest: + type: object + required: + - LocalGatewayRouteTableId + title: SearchLocalGatewayRoutesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/LocalGatewayRoutetableId' + - description: The ID of the local gateway route table. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + SearchTransitGatewayMulticastGroupsRequest: + type: object + title: SearchTransitGatewayMulticastGroupsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastDomainId' + - description: The ID of the transit gateway multicast domain. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayMulticastGroupList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulticastGroup' + - xml: + name: item + SearchTransitGatewayRoutesRequest: + type: object + required: + - TransitGatewayRouteTableId + - Filters + title: SearchTransitGatewayRoutesRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteTableId' + - description: The ID of the transit gateway route table. + Filter: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TransitGatewayRouteList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRoute' + - xml: + name: item + SecurityGroup: + type: object + properties: + groupDescription: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the security group. + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the security group. + ipPermissions: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: The inbound rules associated with the security group. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the owner of the security group. + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + ipPermissionsEgress: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: '[VPC only] The outbound rules associated with the security group.' + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the security group. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: '[VPC only] The ID of the VPC for the security group.' + description: Describes a security group. + SecurityGroupReference: + type: object + properties: + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of your security group. + referencingVpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC with the referencing security group. + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC peering connection. + description: Describes a VPC with a security group that references your security group. + SecurityGroupRuleId: + type: string + SecurityGroupRule: + type: object + properties: + securityGroupRuleId: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleId' + - description: The ID of the security group rule. + groupId: + allOf: + - $ref: '#/components/schemas/SecurityGroupId' + - description: The ID of the security group. + groupOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the Amazon Web Services account that owns the security group. ' + isEgress: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the security group rule is an outbound rule. + ipProtocol: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The IP protocol name (tcp, udp, icmp, icmpv6) or number (see Protocol Numbers).

Use -1 to specify all protocols.

' + fromPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The start of port range for the TCP and UDP protocols, or an ICMP/ICMPv6 type. A value of -1 indicates all ICMP/ICMPv6 types. If you specify all ICMP/ICMPv6 types, you must specify all codes.' + toPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The end of port range for the TCP and UDP protocols, or an ICMP/ICMPv6 code. A value of -1 indicates all ICMP/ICMPv6 codes. If you specify all ICMP/ICMPv6 types, you must specify all codes. ' + cidrIpv4: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR range. + cidrIpv6: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR range. + prefixListId: + allOf: + - $ref: '#/components/schemas/PrefixListResourceId' + - description: The ID of the prefix list. + referencedGroupInfo: + allOf: + - $ref: '#/components/schemas/ReferencedSecurityGroup' + - description: Describes the security group that is referenced in the rule. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The security group rule description. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags applied to the security group rule. + description: Describes a security group rule. + SecurityGroupRuleDescriptionList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleDescription' + - xml: + name: item + SecurityGroupRuleRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the security group rule. + description: '

Describes a security group rule.

You must specify exactly one of the following parameters, based on the rule type:

When you modify a rule, you cannot change the rule type. For example, if the rule uses an IPv4 address range, you must use CidrIpv4 to specify a new IPv4 address range.

' + SecurityGroupRuleUpdateList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleUpdate' + - xml: + name: item + SelfServicePortal: + type: string + enum: + - enabled + - disabled + SendDiagnosticInterruptRequest: + type: object + required: + - InstanceId + title: SendDiagnosticInterruptRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ServiceTypeDetailSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/ServiceTypeDetail' + - xml: + name: item + ServiceState: + type: string + enum: + - Pending + - Available + - Deleting + - Deleted + - Failed + SupportedIpAddressTypes: + type: array + items: + allOf: + - $ref: '#/components/schemas/ServiceConnectivityType' + - xml: + name: item + minItems: 0 + maxItems: 2 + ServiceConnectivityType: + type: string + enum: + - ipv4 + - ipv6 + ServiceDetail: + type: object + properties: + serviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the service. + serviceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the endpoint service. + serviceType: + allOf: + - $ref: '#/components/schemas/ServiceTypeDetailSet' + - description: The type of service. + availabilityZoneSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The Availability Zones in which the service is available. + owner: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Web Services account ID of the service owner. + baseEndpointDnsNameSet: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The DNS names for the service. + privateDnsName: + allOf: + - $ref: '#/components/schemas/String' + - description: The private DNS name for the service. + privateDnsNameSet: + allOf: + - $ref: '#/components/schemas/PrivateDnsDetailsSet' + - description: 'The private DNS names assigned to the VPC endpoint service. ' + vpcEndpointPolicySupported: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the service supports endpoint policies. + acceptanceRequired: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether VPC endpoint connection requests to the service must be accepted by the service owner. + managesVpcEndpoints: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the service manages its VPC endpoints. Management of the service VPC endpoints using the VPC endpoint API is restricted. + payerResponsibility: + allOf: + - $ref: '#/components/schemas/PayerResponsibility' + - description: The payer responsibility. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the service. + privateDnsNameVerificationState: + allOf: + - $ref: '#/components/schemas/DnsNameState' + - description:

The verification state of the VPC endpoint service.

Consumers of the endpoint service cannot use the private name when the state is not verified.

+ supportedIpAddressTypeSet: + allOf: + - $ref: '#/components/schemas/SupportedIpAddressTypes' + - description: The supported IP address types. + description: Describes a VPC endpoint service. + ServiceType: + type: string + enum: + - Interface + - Gateway + - GatewayLoadBalancer + ServiceTypeDetail: + type: object + properties: + serviceType: + allOf: + - $ref: '#/components/schemas/ServiceType' + - description: The type of service. + description: Describes the type of service for a VPC endpoint. + SlotDateTimeRangeRequest: + type: object + required: + - EarliestTime + - LatestTime + properties: + undefined: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The latest date and time, in UTC, for the Scheduled Instance to start. This value must be later than or equal to the earliest date and at most three months in the future.' + description: Describes the time period for a Scheduled Instance to start its first schedule. The time period must span less than one day. + StorageTier: + type: string + enum: + - archive + - standard + SnapshotAttributeName: + type: string + enum: + - productCodes + - createVolumePermission + UserBucketDetails: + type: object + properties: + s3Bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon S3 bucket from which the disk image was created. + s3Key: + allOf: + - $ref: '#/components/schemas/String' + - description: The file name of the disk image. + description: Describes the Amazon S3 bucket for the disk image. + SnapshotDetail: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description for the snapshot. + deviceName: + allOf: + - $ref: '#/components/schemas/String' + - description: The block device mapping for the snapshot. + diskImageSize: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The size of the disk in the snapshot, in GiB.' + format: + allOf: + - $ref: '#/components/schemas/String' + - description: The format of the disk image from which the snapshot is created. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: The percentage of progress for the task. + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The snapshot ID of the disk being imported. + status: + allOf: + - $ref: '#/components/schemas/String' + - description: A brief status of the snapshot creation. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: A detailed status message for the snapshot creation. + url: + allOf: + - $ref: '#/components/schemas/String' + - description: The URL used to access the disk image. + userBucket: + allOf: + - $ref: '#/components/schemas/UserBucketDetails' + - description: The Amazon S3 bucket for the disk image. + description: Describes the snapshot created from the imported disk. + SnapshotDiskContainer: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/UserBucket' + - description: The Amazon S3 bucket for the disk image. + description: The disk container object for the import snapshot request. + SnapshotInfo: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: Description specified by the CreateSnapshotRequest that has been applied to all snapshots. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Tags associated with this snapshot. + encrypted: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the snapshot is encrypted. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: Source volume from which this snapshot was created. + state: + allOf: + - $ref: '#/components/schemas/SnapshotState' + - description: Current state of the snapshot. + volumeSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Size of the volume from which this snapshot was created. + startTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: Time this snapshot was started. This is the same for all snapshots initiated by the same request. + progress: + allOf: + - $ref: '#/components/schemas/String' + - description: Progress this snapshot has made towards completing. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: Account id used when creating this snapshot. + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: Snapshot id that can be used to describe this snapshot. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ARN of the Outpost on which the snapshot is stored. For more information, see Amazon EBS local snapshots on Outposts in the Amazon Elastic Compute Cloud User Guide.' + description: Information about a snapshot. + SnapshotRecycleBinInfo: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the snapshot. + recycleBinEnterTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the snaphsot entered the Recycle Bin. + recycleBinExitTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the snapshot is to be permanently deleted from the Recycle Bin. + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the snapshot. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the volume from which the snapshot was created. + description: Information about a snapshot that is currently in the Recycle Bin. + TieringOperationStatus: + type: string + enum: + - archival-in-progress + - archival-completed + - archival-failed + - temporary-restore-in-progress + - temporary-restore-completed + - temporary-restore-failed + - permanent-restore-in-progress + - permanent-restore-completed + - permanent-restore-failed + SnapshotTierStatus: + type: object + properties: + snapshotId: + allOf: + - $ref: '#/components/schemas/SnapshotId' + - description: The ID of the snapshot. + volumeId: + allOf: + - $ref: '#/components/schemas/VolumeId' + - description: The ID of the volume from which the snapshot was created. + status: + allOf: + - $ref: '#/components/schemas/SnapshotState' + - description: The state of the snapshot. + ownerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the snapshot. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags that are assigned to the snapshot. + storageTier: + allOf: + - $ref: '#/components/schemas/StorageTier' + - description: The storage tier in which the snapshot is stored. standard indicates that the snapshot is stored in the standard snapshot storage tier and that it is ready for use. archive indicates that the snapshot is currently archived and that it must be restored before it can be used. + lastTieringStartTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the last archive or restore process was started. + lastTieringProgress: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The progress of the last archive or restore process, as a percentage.' + lastTieringOperationStatus: + allOf: + - $ref: '#/components/schemas/TieringOperationStatus' + - description: The status of the last archive or restore process. + lastTieringOperationStatusDetail: + allOf: + - $ref: '#/components/schemas/String' + - description: A message describing the status of the last archive or restore process. + archivalCompleteTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time when the last archive process was completed. + restoreExpiryTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: Only for archived snapshots that are temporarily restored. Indicates the date and time when a temporarily restored snapshot will be automatically re-archived. + description: Provides information about a snapshot's storage tier. + SpotAllocationStrategy: + type: string + enum: + - lowest-price + - diversified + - capacity-optimized + - capacity-optimized-prioritized + SpotCapacityRebalance: + type: object + properties: + replacementStrategy: + allOf: + - $ref: '#/components/schemas/ReplacementStrategy' + - description: '

The replacement strategy to use. Only available for fleets of type maintain.

launch - Spot Fleet launches a new replacement Spot Instance when a rebalance notification is emitted for an existing Spot Instance in the fleet. Spot Fleet does not terminate the instances that receive a rebalance notification. You can terminate the old instances, or you can leave them running. You are charged for all instances while they are running.

launch-before-terminate - Spot Fleet launches a new replacement Spot Instance when a rebalance notification is emitted for an existing Spot Instance in the fleet, and then, after a delay that you specify (in TerminationDelay), terminates the instances that received a rebalance notification.

' + terminationDelay: + allOf: + - $ref: '#/components/schemas/Integer' + - description: '

The amount of time (in seconds) that Amazon EC2 waits before terminating the old Spot Instance after launching a new replacement Spot Instance.

Required when ReplacementStrategy is set to launch-before-terminate.

Not valid when ReplacementStrategy is set to launch.

Valid values: Minimum value of 120 seconds. Maximum value of 7200 seconds.

' + description: 'The Spot Instance replacement strategy to use when Amazon EC2 emits a signal that your Spot Instance is at an elevated risk of being interrupted. For more information, see Capacity rebalancing in the Amazon EC2 User Guide for Linux Instances.' + SpotInstanceStateFault: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The reason code for the Spot Instance state change. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The message for the Spot Instance state change. + description: Describes a Spot Instance state change. + SpotFleetMonitoring: + type: object + properties: + enabled: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Enables monitoring for the instance.

Default: false

' + description: Describes whether monitoring is enabled. + SpotFleetTagSpecificationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SpotFleetTagSpecification' + - xml: + name: item + SpotFleetRequestConfig: + type: object + properties: + activityStatus: + allOf: + - $ref: '#/components/schemas/ActivityStatus' + - description: 'The progress of the Spot Fleet request. If there is an error, the status is error. After all requests are placed, the status is pending_fulfillment. If the size of the fleet is equal to or greater than its target capacity, the status is fulfilled. If the size of the fleet is decreased, the status is pending_termination while Spot Instances are terminating.' + createTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The creation date and time of the request. + spotFleetRequestConfig: + allOf: + - $ref: '#/components/schemas/SpotFleetRequestConfigData' + - description: The configuration of the Spot Fleet request. + spotFleetRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Fleet request. + spotFleetRequestState: + allOf: + - $ref: '#/components/schemas/BatchState' + - description: The state of the Spot Fleet request. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for a Spot Fleet resource. + description: Describes a Spot Fleet request. + SpotFleetTagSpecification: + type: object + properties: + resourceType: + allOf: + - $ref: '#/components/schemas/ResourceType' + - description: 'The type of resource. Currently, the only resource type that is supported is instance. To tag the Spot Fleet request on creation, use the TagSpecifications parameter in SpotFleetRequestConfigData .' + tag: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags. + description: The tags for a Spot Fleet resource. + SpotInstanceInterruptionBehavior: + type: string + enum: + - hibernate + - stop + - terminate + SpotInstanceState: + type: string + enum: + - open + - active + - closed + - cancelled + - failed + SpotInstanceStatus: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status code. For a list of status codes, see Spot request status codes in the Amazon EC2 User Guide for Linux Instances.' + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The description for the status code. + updateTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time of the most recent status update, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Describes the status of a Spot Instance request. + SpotInstanceRequest: + type: object + properties: + actualBlockHourlyPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: Deprecated. + availabilityZoneGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The Availability Zone group. If you specify the same Availability Zone group for all Spot Instance requests, all Spot Instances are launched in the same Availability Zone.' + blockDurationMinutes: + allOf: + - $ref: '#/components/schemas/Integer' + - description: Deprecated. + createTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time when the Spot Instance request was created, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + fault: + allOf: + - $ref: '#/components/schemas/SpotInstanceStateFault' + - description: 'The fault codes for the Spot Instance request, if any.' + instanceId: + allOf: + - $ref: '#/components/schemas/InstanceId' + - description: 'The instance ID, if an instance has been launched to fulfill the Spot Instance request.' + launchGroup: + allOf: + - $ref: '#/components/schemas/String' + - description: The instance launch group. Launch groups are Spot Instances that launch together and terminate together. + launchSpecification: + allOf: + - $ref: '#/components/schemas/LaunchSpecification' + - description: Additional information for launching instances. + launchedAvailabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone in which the request is launched. + productDescription: + allOf: + - $ref: '#/components/schemas/RIProductDescription' + - description: The product description associated with the Spot Instance. + spotInstanceRequestId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Spot Instance request. + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per hour that you are willing to pay for a Spot Instance. + state: + allOf: + - $ref: '#/components/schemas/SpotInstanceState' + - description: 'The state of the Spot Instance request. Spot request status information helps track your Spot Instance requests. For more information, see Spot request status in the Amazon EC2 User Guide for Linux Instances.' + status: + allOf: + - $ref: '#/components/schemas/SpotInstanceStatus' + - description: The status code and status message describing the Spot Instance request. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the resource. + type: + allOf: + - $ref: '#/components/schemas/SpotInstanceType' + - description: The Spot Instance request type. + validFrom: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The start date of the request, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ). The request becomes active at this date and time.' + validUntil: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: '

The end date of the request, in UTC format (YYYY-MM-DDTHH:MM:SSZ).

' + instanceInterruptionBehavior: + allOf: + - $ref: '#/components/schemas/InstanceInterruptionBehavior' + - description: The behavior when a Spot Instance is interrupted. + description: Describes a Spot Instance request. + SpotOptionsRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum amount per hour for Spot Instances that you're willing to pay. + description: Describes the configuration of Spot Instances in an EC2 Fleet request. + SpotPlacementScore: + type: object + properties: + region: + allOf: + - $ref: '#/components/schemas/String' + - description: The Region. + availabilityZoneId: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + score: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The placement score, on a scale from 1 to 10. A score of 10 indicates that your Spot request is highly likely to succeed in this Region or Availability Zone. A score of 1 indicates that your Spot request is not likely to succeed. ' + description: The Spot placement score for this Region or Availability Zone. The score is calculated based on the assumption that the capacity-optimized allocation strategy is used and that all of the Availability Zones in the Region can be used. + SpotPlacementScoresMaxResults: + type: integer + minimum: 10 + maximum: 1000 + SpotPlacementScoresTargetCapacity: + type: integer + minimum: 1 + maximum: 2000000000 + SpotPrice: + type: object + properties: + availabilityZone: + allOf: + - $ref: '#/components/schemas/String' + - description: The Availability Zone. + instanceType: + allOf: + - $ref: '#/components/schemas/InstanceType' + - description: The instance type. + productDescription: + allOf: + - $ref: '#/components/schemas/RIProductDescription' + - description: A general description of the AMI. + spotPrice: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum price per hour that you are willing to pay for a Spot Instance. + timestamp: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: 'The date and time the request was created, in UTC format (for example, YYYY-MM-DDTHH:MM:SSZ).' + description: Describes the maximum price per hour that you are willing to pay for a Spot Instance. + UserIdGroupPairSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/UserIdGroupPair' + - xml: + name: item + StaleIpPermission: + type: object + properties: + fromPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The start of the port range for the TCP and UDP protocols, or an ICMP type number. A value of -1 indicates all ICMP types. ' + ipProtocol: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The IP protocol name (for tcp, udp, and icmp) or number (see Protocol Numbers).' + ipRanges: + allOf: + - $ref: '#/components/schemas/IpRanges' + - description: The IP ranges. Not applicable for stale security group rules. + prefixListIds: + allOf: + - $ref: '#/components/schemas/PrefixListIdSet' + - description: The prefix list IDs. Not applicable for stale security group rules. + toPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The end of the port range for the TCP and UDP protocols, or an ICMP type number. A value of -1 indicates all ICMP types. ' + groups: + allOf: + - $ref: '#/components/schemas/UserIdGroupPairSet' + - description: 'The security group pairs. Returns the ID of the referenced security group and VPC, and the ID and status of the VPC peering connection.' + description: Describes a stale rule in a security group. + StaleIpPermissionSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/StaleIpPermission' + - xml: + name: item + StaleSecurityGroup: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: The description of the security group. + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the security group. + staleIpPermissions: + allOf: + - $ref: '#/components/schemas/StaleIpPermissionSet' + - description: Information about the stale inbound rules in the security group. + staleIpPermissionsEgress: + allOf: + - $ref: '#/components/schemas/StaleIpPermissionSet' + - description: Information about the stale outbound rules in the security group. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC for the security group. + description: Describes a stale security group (a security group that contains stale rules). + StartInstancesRequest: + type: object + required: + - InstanceIds + title: StartInstancesRequest + properties: + InstanceId: + $ref: '#/components/schemas/InstanceIdStringList' + additionalInfo: + $ref: '#/components/schemas/String' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + StartNetworkInsightsAccessScopeAnalysisRequest: + type: object + required: + - NetworkInsightsAccessScopeId + - ClientToken + title: StartNetworkInsightsAccessScopeAnalysisRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + StartNetworkInsightsAnalysisRequest: + type: object + required: + - NetworkInsightsPathId + - ClientToken + title: StartNetworkInsightsAnalysisRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/NetworkInsightsPathId' + - description: The ID of the path. + FilterInArn: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TagSpecification: + allOf: + - $ref: '#/components/schemas/String' + - description: 'Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. For more information, see How to ensure idempotency.' + StartVpcEndpointServicePrivateDnsVerificationRequest: + type: object + required: + - ServiceId + title: StartVpcEndpointServicePrivateDnsVerificationRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/VpcEndpointServiceId' + - description: The ID of the endpoint service. + State: + type: string + enum: + - PendingAcceptance + - Pending + - Available + - Deleting + - Deleted + - Rejected + - Failed + - Expired + StaticSourcesSupportValue: + type: string + enum: + - enable + - disable + StopInstancesRequest: + type: object + required: + - InstanceIds + title: StopInstancesRequest + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Hibernates the instance if the instance was enabled for hibernation at launch. If the instance cannot hibernate successfully, a normal shutdown occurs. For more information, see Hibernate your instance in the Amazon EC2 User Guide.

Default: false

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + force: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: '

Forces the instances to stop. The instances do not have an opportunity to flush file system caches or file system metadata. If you use this option, you must perform file system check and repair procedures. This option is not recommended for Windows instances.

Default: false

' + StorageLocation: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: The key. + description: Describes a storage location in Amazon S3. + StoreImageTaskResult: + type: object + properties: + amiId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the AMI that is being stored. + taskStartTime: + allOf: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The time the task started. + bucket: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the Amazon S3 bucket that contains the stored AMI object. + s3objectKey: + allOf: + - $ref: '#/components/schemas/String' + - description: The name of the stored AMI object in the bucket. + progressPercentage: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The progress of the task as a percentage. + storeTaskState: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The state of the store task (InProgress, Completed, or Failed).' + storeTaskFailureReason: + allOf: + - $ref: '#/components/schemas/String' + - description: 'If the tasks fails, the reason for the failure is returned. If the task succeeds, null is returned.' + description: 'The information about the AMI store task, including the progress of the task.' + SubnetState: + type: string + enum: + - pending + - available + SubnetIpv6CidrBlockAssociationSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetIpv6CidrBlockAssociation' + - xml: + name: item + TransitGatewayMulitcastDomainAssociationState: + type: string + enum: + - pendingAcceptance + - associating + - associated + - disassociating + - disassociated + - rejected + - failed + SubnetAssociation: + type: object + properties: + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayMulitcastDomainAssociationState' + - description: The state of the subnet association. + description: Describes the subnet association with the transit gateway multicast domain. + SubnetAssociationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetAssociation' + - xml: + name: item + SubnetCidrBlockStateCode: + type: string + enum: + - associating + - associated + - disassociating + - disassociated + - failing + - failed + SubnetCidrBlockState: + type: object + properties: + state: + allOf: + - $ref: '#/components/schemas/SubnetCidrBlockStateCode' + - description: The state of a CIDR block. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the CIDR block, if applicable.' + description: Describes the state of a CIDR block. + SubnetCidrReservationId: + type: string + SubnetCidrReservationType: + type: string + enum: + - prefix + - explicit + SuccessfulInstanceCreditSpecificationItem: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + description: Describes the burstable performance instance whose credit option for CPU usage was successfully modified. + SuccessfulQueuedPurchaseDeletion: + type: object + properties: + reservedInstancesId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Reserved Instance. + description: Describes a Reserved Instance whose queued purchase was successfully deleted. + TagDescription: + type: object + properties: + key: + allOf: + - $ref: '#/components/schemas/String' + - description: The tag key. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/ResourceType' + - description: The resource type. + value: + allOf: + - $ref: '#/components/schemas/String' + - description: The tag value. + description: Describes a tag. + TargetCapacitySpecificationRequest: + type: object + required: + - TotalTargetCapacity + properties: + undefined: + allOf: + - $ref: '#/components/schemas/TargetCapacityUnitType' + - description: '

The unit for the target capacity.

Default: units (translates to number of instances)

' + description: '

The number of units to request. You can choose to set the target capacity as the number of instances. Or you can set the target capacity to a performance characteristic that is important to your application workload, such as vCPUs, memory, or I/O. If the request type is maintain, you can specify a target capacity of 0 and add capacity later.

You can use the On-Demand Instance MaxTotalPrice parameter, the Spot Instance MaxTotalPrice parameter, or both parameters to ensure that your fleet cost does not exceed your budget. If you set a maximum price per hour for the On-Demand Instances and Spot Instances in your request, EC2 Fleet will launch instances until it reaches the maximum amount that you''re willing to pay. When the maximum amount you''re willing to pay is reached, the fleet stops launching instances even if it hasn’t met the target capacity. The MaxTotalPrice parameters are located in OnDemandOptionsRequest and SpotOptionsRequest.

' + TargetConfiguration: + type: object + properties: + instanceCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of instances the Convertible Reserved Instance offering can be applied to. This parameter is reserved and cannot be specified in a request + offeringId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Convertible Reserved Instance offering. + description: Information about the Convertible Reserved Instance offering. + TargetGroup: + type: object + properties: + arn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the target group. + description: Describes a load balancer target group. + TargetGroups: + type: array + items: + allOf: + - $ref: '#/components/schemas/TargetGroup' + - xml: + name: item + minItems: 1 + maxItems: 5 + TargetNetwork: + type: object + properties: + associationId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the association. + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC in which the target network (subnet) is located. + targetNetworkId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet specified as the target network. + clientVpnEndpointId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Client VPN endpoint with which the target network is associated. + status: + allOf: + - $ref: '#/components/schemas/AssociationStatus' + - description: The current state of the target network association. + securityGroups: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The IDs of the security groups applied to the target network association. + description: Describes a target network associated with a Client VPN endpoint. + TargetReservationValue: + type: object + properties: + reservationValue: + allOf: + - $ref: '#/components/schemas/ReservationValue' + - description: 'The total value of the Convertible Reserved Instances that make up the exchange. This is the sum of the list value, remaining upfront price, and additional upfront cost of the exchange.' + targetConfiguration: + allOf: + - $ref: '#/components/schemas/TargetConfiguration' + - description: The configuration of the Convertible Reserved Instances that make up the exchange. + description: The total value of the new Convertible Reserved Instances. + TargetStorageTier: + type: string + enum: + - archive + TelemetryStatus: + type: string + enum: + - UP + - DOWN + TerminateClientVpnConnectionsRequest: + type: object + required: + - ClientVpnEndpointId + title: TerminateClientVpnConnectionsRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + TerminateConnectionStatusSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/TerminateConnectionStatus' + - xml: + name: item + TerminateConnectionStatus: + type: object + properties: + connectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the client connection. + previousStatus: + allOf: + - $ref: '#/components/schemas/ClientVpnConnectionStatus' + - description: The state of the client connection. + currentStatus: + allOf: + - $ref: '#/components/schemas/ClientVpnConnectionStatus' + - description: 'A message about the status of the client connection, if applicable.' + description: Information about a terminated Client VPN endpoint client connection. + TerminateInstancesRequest: + type: object + required: + - InstanceIds + title: TerminateInstancesRequest + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: '

The IDs of the instances.

Constraints: Up to 1000 instance IDs. We recommend breaking up this request into smaller batches.

' + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ThreadsPerCore: + type: integer + ThreadsPerCoreList: + type: array + items: + allOf: + - $ref: '#/components/schemas/ThreadsPerCore' + - xml: + name: item + ThroughResourcesStatement: + type: object + properties: + resourceStatement: + allOf: + - $ref: '#/components/schemas/ResourceStatement' + - description: The resource statement. + description: Describes a through resource statement. + ThroughResourcesStatementRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/ResourceStatementRequest' + - description: The resource statement. + description: Describes a through resource statement. + TotalLocalStorageGBRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Double' + - description: 'The maximum amount of total local storage, in GB. To specify no maximum limit, omit this parameter.' + description: 'The minimum and maximum amount of total local storage, in GB.' + TrafficDirection: + type: string + enum: + - ingress + - egress + TrafficMirrorFilterRuleList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterRule' + - xml: + name: item + TrafficMirrorFilterIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorFilterId' + - xml: + name: item + TrafficMirrorRuleAction: + type: string + enum: + - accept + - reject + TrafficMirrorPortRange: + type: object + properties: + fromPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The start of the Traffic Mirror port range. This applies to the TCP and UDP protocols. + toPort: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The end of the Traffic Mirror port range. This applies to the TCP and UDP protocols. + description: Describes the Traffic Mirror port range. + TrafficMirrorFilterRuleFieldList: + type: array + items: + $ref: '#/components/schemas/TrafficMirrorFilterRuleField' + TrafficMirrorFilterRuleId: + type: string + TrafficMirrorPortRangeRequest: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The last port in the Traffic Mirror port range. This applies to the TCP and UDP protocols. + description: Information about the Traffic Mirror filter rule port range. + TrafficMirrorSessionFieldList: + type: array + items: + $ref: '#/components/schemas/TrafficMirrorSessionField' + TrafficMirrorSessionIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorSessionId' + - xml: + name: item + TrafficMirrorTargetType: + type: string + enum: + - network-interface + - network-load-balancer + - gateway-load-balancer-endpoint + TrafficMirrorTargetIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrafficMirrorTargetId' + - xml: + name: item + TrafficMirroringMaxResults: + type: integer + minimum: 5 + maximum: 1000 + TransitAssociationGatewayId: + type: string + TransitGatewayState: + type: string + enum: + - pending + - available + - modifying + - deleting + - deleted + TransitGatewayOptions: + type: object + properties: + amazonSideAsn: + allOf: + - $ref: '#/components/schemas/Long' + - description: A private Autonomous System Number (ASN) for the Amazon side of a BGP session. The range is 64512 to 65534 for 16-bit ASNs and 4200000000 to 4294967294 for 32-bit ASNs. + transitGatewayCidrBlocks: + allOf: + - $ref: '#/components/schemas/ValueStringList' + - description: The transit gateway CIDR blocks. + autoAcceptSharedAttachments: + allOf: + - $ref: '#/components/schemas/AutoAcceptSharedAttachmentsValue' + - description: Indicates whether attachment requests are automatically accepted. + defaultRouteTableAssociation: + allOf: + - $ref: '#/components/schemas/DefaultRouteTableAssociationValue' + - description: Indicates whether resource attachments are automatically associated with the default association route table. + associationDefaultRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the default association route table. + defaultRouteTablePropagation: + allOf: + - $ref: '#/components/schemas/DefaultRouteTablePropagationValue' + - description: Indicates whether resource attachments automatically propagate routes to the default propagation route table. + propagationDefaultRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the default propagation route table. + vpnEcmpSupport: + allOf: + - $ref: '#/components/schemas/VpnEcmpSupportValue' + - description: Indicates whether Equal Cost Multipath Protocol support is enabled. + dnsSupport: + allOf: + - $ref: '#/components/schemas/DnsSupportValue' + - description: Indicates whether DNS support is enabled. + multicastSupport: + allOf: + - $ref: '#/components/schemas/MulticastSupportValue' + - description: Indicates whether multicast is enabled on the transit gateway + description: Describes the options for a transit gateway. + TransitGatewayAttachmentResourceType: + type: string + enum: + - vpc + - vpn + - direct-connect-gateway + - connect + - peering + - tgw-peering + TransitGatewayAssociationState: + type: string + enum: + - associating + - associated + - disassociating + - disassociated + TransitGatewayAttachmentState: + type: string + enum: + - initiating + - initiatingRequest + - pendingAcceptance + - rollingBack + - pending + - available + - modifying + - deleting + - deleted + - failed + - rejected + - rejecting + - failing + TransitGatewayAttachmentAssociation: + type: object + properties: + transitGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the route table for the transit gateway. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAssociationState' + - description: The state of the association. + description: Describes an association. + TransitGatewayAttachment: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the attachment. + transitGatewayId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway. + transitGatewayOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the transit gateway. + resourceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: The resource type. Note that the tgw-peering resource type has been deprecated. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentState' + - description: The attachment state. Note that the initiating state has been deprecated. + association: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentAssociation' + - description: The association. + creationTime: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The creation time. + tagSet: + allOf: + - $ref: '#/components/schemas/TagList' + - description: The tags for the attachment. + description: Describes an attachment between a resource and a transit gateway. + TransitGatewayAttachmentBgpConfiguration: + type: object + properties: + transitGatewayAsn: + allOf: + - $ref: '#/components/schemas/Long' + - description: The transit gateway Autonomous System Number (ASN). + peerAsn: + allOf: + - $ref: '#/components/schemas/Long' + - description: The peer Autonomous System Number (ASN). + transitGatewayAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The interior BGP peer IP address for the transit gateway. + peerAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The interior BGP peer IP address for the appliance. + bgpStatus: + allOf: + - $ref: '#/components/schemas/BgpStatus' + - description: The BGP status. + description: The BGP configuration information. + TransitGatewayAttachmentBgpConfigurationList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentBgpConfiguration' + - xml: + name: item + TransitGatewayPropagationState: + type: string + enum: + - enabling + - enabled + - disabling + - disabled + TransitGatewayAttachmentPropagation: + type: object + properties: + transitGatewayRouteTableId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the propagation route table. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayPropagationState' + - description: The state of the propagation route table. + description: Describes a propagation route table. + TransitGatewayConnectOptions: + type: object + properties: + protocol: + allOf: + - $ref: '#/components/schemas/ProtocolValue' + - description: The tunnel protocol. + description: Describes the Connect attachment options. + TransitGatewayConnectPeerState: + type: string + enum: + - pending + - available + - deleting + - deleted + TransitGatewayConnectPeerConfiguration: + type: object + properties: + transitGatewayAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The Connect peer IP address on the transit gateway side of the tunnel. + peerAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The Connect peer IP address on the appliance side of the tunnel. + insideCidrBlocks: + allOf: + - $ref: '#/components/schemas/InsideCidrBlocksStringList' + - description: The range of interior BGP peer IP addresses. + protocol: + allOf: + - $ref: '#/components/schemas/ProtocolValue' + - description: The tunnel protocol. + bgpConfigurations: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentBgpConfigurationList' + - description: The BGP configuration details. + description: Describes the Connect peer details. + TransitGatewayConnectRequestBgpOptions: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Long' + - description: The peer Autonomous System Number (ASN). + description: The BGP options for the Connect attachment. + TransitGatewayMaxResults: + type: integer + minimum: 5 + maximum: 1000 + TransitGatewayMulticastDomainOptions: + type: object + properties: + igmpv2Support: + allOf: + - $ref: '#/components/schemas/Igmpv2SupportValue' + - description: Indicates whether Internet Group Management Protocol (IGMP) version 2 is turned on for the transit gateway multicast domain. + staticSourcesSupport: + allOf: + - $ref: '#/components/schemas/StaticSourcesSupportValue' + - description: Indicates whether support for statically configuring transit gateway multicast group sources is turned on. + autoAcceptSharedAssociations: + allOf: + - $ref: '#/components/schemas/AutoAcceptSharedAssociationsValue' + - description: Indicates whether to automatically cross-account subnet associations that are associated with the transit gateway multicast domain. + description: Describes the options for a transit gateway multicast domain. + TransitGatewayMulticastDomainState: + type: string + enum: + - pending + - available + - deleting + - deleted + TransitGatewayMulticastDomainAssociation: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: 'The type of resource, for example a VPC attachment.' + resourceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The ID of the Amazon Web Services account that owns the transit gateway multicast domain association resource.' + subnet: + allOf: + - $ref: '#/components/schemas/SubnetAssociation' + - description: The subnet associated with the transit gateway multicast domain. + description: Describes the resources associated with the transit gateway multicast domain. + TransitGatewayMulticastGroup: + type: object + properties: + groupIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The IP address assigned to the transit gateway multicast group. + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway attachment. + subnetId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the subnet. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: 'The type of resource, for example a VPC attachment.' + resourceOwnerId: + allOf: + - $ref: '#/components/schemas/String' + - description: ' The ID of the Amazon Web Services account that owns the transit gateway multicast domain group resource.' + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the transit gateway attachment. + groupMember: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates that the resource is a transit gateway multicast group member. + groupSource: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates that the resource is a transit gateway multicast group member. + memberType: + allOf: + - $ref: '#/components/schemas/MembershipType' + - description: 'The member type (for example, static).' + sourceType: + allOf: + - $ref: '#/components/schemas/MembershipType' + - description: The source type. + description: Describes the transit gateway multicast group resources. + TransitGatewayNetworkInterfaceIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - xml: + name: item + VpnEcmpSupportValue: + type: string + enum: + - enable + - disable + TransitGatewayPrefixListAttachment: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentId' + - description: The ID of the attachment. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: The resource type. Note that the tgw-peering resource type has been deprecated. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + description: Describes a transit gateway prefix list attachment. + TransitGatewayPrefixListReferenceState: + type: string + enum: + - pending + - available + - modifying + - deleting + TransitGatewayRouteAttachmentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TransitGatewayRouteAttachment' + - xml: + name: item + TransitGatewayRouteType: + type: string + enum: + - static + - propagated + TransitGatewayRouteState: + type: string + enum: + - pending + - active + - blackhole + - deleting + - deleted + TransitGatewayRouteAttachment: + type: object + properties: + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the attachment. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: 'The resource type. Note that the tgw-peering resource type has been deprecated. ' + description: Describes a route attachment. + TransitGatewayRouteTableState: + type: string + enum: + - pending + - available + - deleting + - deleted + TransitGatewayRouteTableAssociation: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: The resource type. Note that the tgw-peering resource type has been deprecated. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayAssociationState' + - description: The state of the association. + description: Describes an association between a route table and a resource attachment. + TransitGatewayRouteTablePropagation: + type: object + properties: + transitGatewayAttachmentId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the attachment. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + resourceType: + allOf: + - $ref: '#/components/schemas/TransitGatewayAttachmentResourceType' + - description: The type of resource. Note that the tgw-peering resource type has been deprecated. + state: + allOf: + - $ref: '#/components/schemas/TransitGatewayPropagationState' + - description: The state of the resource. + description: Describes a route table propagation. + TransitGatewaySubnetIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/SubnetId' + - xml: + name: item + TransitGatewayVpcAttachmentOptions: + type: object + properties: + dnsSupport: + allOf: + - $ref: '#/components/schemas/DnsSupportValue' + - description: Indicates whether DNS support is enabled. + ipv6Support: + allOf: + - $ref: '#/components/schemas/Ipv6SupportValue' + - description: Indicates whether IPv6 support is disabled. + applianceModeSupport: + allOf: + - $ref: '#/components/schemas/ApplianceModeSupportValue' + - description: Indicates whether appliance mode support is enabled. + description: Describes the VPC attachment options. + TrunkInterfaceAssociationIdList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TrunkInterfaceAssociationId' + - xml: + name: item + TunnelInsideIpVersion: + type: string + enum: + - ipv4 + - ipv6 + TunnelOption: + type: object + properties: + outsideIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The external IP address of the VPN tunnel. + tunnelInsideCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The range of inside IPv4 addresses for the tunnel. + tunnelInsideIpv6Cidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The range of inside IPv6 addresses for the tunnel. + preSharedKey: + allOf: + - $ref: '#/components/schemas/String' + - description: The pre-shared key (PSK) to establish initial authentication between the virtual private gateway and the customer gateway. + phase1LifetimeSeconds: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The lifetime for phase 1 of the IKE negotiation, in seconds.' + phase2LifetimeSeconds: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The lifetime for phase 2 of the IKE negotiation, in seconds.' + rekeyMarginTimeSeconds: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The margin time, in seconds, before the phase 2 lifetime expires, during which the Amazon Web Services side of the VPN connection performs an IKE rekey.' + rekeyFuzzPercentage: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The percentage of the rekey window determined by RekeyMarginTimeSeconds during which the rekey time is randomly selected. + replayWindowSize: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of packets in an IKE replay window. + dpdTimeoutSeconds: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of seconds after which a DPD timeout occurs. + dpdTimeoutAction: + allOf: + - $ref: '#/components/schemas/String' + - description: The action to take after a DPD timeout occurs. + phase1EncryptionAlgorithmSet: + allOf: + - $ref: '#/components/schemas/Phase1EncryptionAlgorithmsList' + - description: The permitted encryption algorithms for the VPN tunnel for phase 1 IKE negotiations. + phase2EncryptionAlgorithmSet: + allOf: + - $ref: '#/components/schemas/Phase2EncryptionAlgorithmsList' + - description: The permitted encryption algorithms for the VPN tunnel for phase 2 IKE negotiations. + phase1IntegrityAlgorithmSet: + allOf: + - $ref: '#/components/schemas/Phase1IntegrityAlgorithmsList' + - description: The permitted integrity algorithms for the VPN tunnel for phase 1 IKE negotiations. + phase2IntegrityAlgorithmSet: + allOf: + - $ref: '#/components/schemas/Phase2IntegrityAlgorithmsList' + - description: The permitted integrity algorithms for the VPN tunnel for phase 2 IKE negotiations. + phase1DHGroupNumberSet: + allOf: + - $ref: '#/components/schemas/Phase1DHGroupNumbersList' + - description: The permitted Diffie-Hellman group numbers for the VPN tunnel for phase 1 IKE negotiations. + phase2DHGroupNumberSet: + allOf: + - $ref: '#/components/schemas/Phase2DHGroupNumbersList' + - description: The permitted Diffie-Hellman group numbers for the VPN tunnel for phase 2 IKE negotiations. + ikeVersionSet: + allOf: + - $ref: '#/components/schemas/IKEVersionsList' + - description: The IKE versions that are permitted for the VPN tunnel. + startupAction: + allOf: + - $ref: '#/components/schemas/String' + - description: The action to take when the establishing the VPN tunnels for a VPN connection. + description: The VPN tunnel options. + TunnelOptionsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/TunnelOption' + - xml: + name: item + UnassignIpv6AddressesRequest: + type: object + required: + - NetworkInterfaceId + title: UnassignIpv6AddressesRequest + properties: + ipv6Addresses: + allOf: + - $ref: '#/components/schemas/Ipv6AddressList' + - description: The IPv6 addresses to unassign from the network interface. + Ipv6Prefix: + allOf: + - $ref: '#/components/schemas/IpPrefixList' + - description: One or more IPv6 prefixes to unassign from the network interface. + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + UnassignPrivateIpAddressesRequest: + type: object + required: + - NetworkInterfaceId + title: UnassignPrivateIpAddressesRequest + properties: + networkInterfaceId: + allOf: + - $ref: '#/components/schemas/NetworkInterfaceId' + - description: The ID of the network interface. + privateIpAddress: + allOf: + - $ref: '#/components/schemas/PrivateIpAddressStringList' + - description: The secondary private IP addresses to unassign from the network interface. You can specify this option multiple times to unassign more than one IP address. + Ipv4Prefix: + allOf: + - $ref: '#/components/schemas/IpPrefixList' + - description: The IPv4 prefixes to unassign from the network interface. + description: Contains the parameters for UnassignPrivateIpAddresses. + UnmonitorInstancesRequest: + type: object + required: + - InstanceIds + title: UnmonitorInstancesRequest + properties: + InstanceId: + allOf: + - $ref: '#/components/schemas/InstanceIdStringList' + - description: The IDs of the instances. + dryRun: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + UnsuccessfulInstanceCreditSpecificationErrorCode: + type: string + enum: + - InvalidInstanceID.Malformed + - InvalidInstanceID.NotFound + - IncorrectInstanceState + - InstanceCreditSpecification.NotSupported + UnsuccessfulInstanceCreditSpecificationItemError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/UnsuccessfulInstanceCreditSpecificationErrorCode' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The applicable error message. + description: Information about the error for the burstable performance instance whose credit option for CPU usage was not modified. + UnsuccessfulInstanceCreditSpecificationItem: + type: object + properties: + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance. + error: + allOf: + - $ref: '#/components/schemas/UnsuccessfulInstanceCreditSpecificationItemError' + - description: The applicable error for the burstable performance instance whose credit option for CPU usage was not modified. + description: Describes the burstable performance instance whose credit option for CPU usage was not modified. + UnsuccessfulItemError: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: The error code. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: The error message accompanying the error code. + description: 'Information about the error that occurred. For more information about errors, see Error codes.' + UnsuccessfulItem: + type: object + properties: + error: + allOf: + - $ref: '#/components/schemas/UnsuccessfulItemError' + - description: Information about the error. + resourceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the resource. + description: Information about items that were not successfully processed in a batch call. + UpdateSecurityGroupRuleDescriptionsEgressRequest: + type: object + title: UpdateSecurityGroupRuleDescriptionsEgressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: The IP permissions for the security group rule. You must specify either the IP permissions or the description. + SecurityGroupRuleDescription: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleDescriptionList' + - description: The description for the egress security group rules. You must specify either the description or the IP permissions. + UpdateSecurityGroupRuleDescriptionsIngressRequest: + type: object + title: UpdateSecurityGroupRuleDescriptionsIngressRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/IpPermissionList' + - description: The IP permissions for the security group rule. You must specify either IP permissions or a description. + SecurityGroupRuleDescription: + allOf: + - $ref: '#/components/schemas/SecurityGroupRuleDescriptionList' + - description: '[VPC only] The description for the ingress security group rules. You must specify either a description or IP permissions.' + UsageClassType: + type: string + enum: + - spot + - on-demand + UserIdGroupPair: + type: object + properties: + description: + allOf: + - $ref: '#/components/schemas/String' + - description: '

A description for the security group rule that references this user ID group pair.

Constraints: Up to 255 characters in length. Allowed characters are a-z, A-Z, 0-9, spaces, and ._-:/()#,@[]+=;{}!$*

' + groupId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the security group. + groupName: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The name of the security group. In a request, use this parameter for a security group in EC2-Classic or a default VPC only. For a security group in a nondefault VPC, use the security group ID.

For a referenced security group in another VPC, this value is not returned if the referenced security group is deleted.

' + peeringStatus: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The status of a VPC peering connection, if applicable.' + userId: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The ID of an Amazon Web Services account.

For a referenced security group in another VPC, the account ID of the referenced security group is returned in the response. If the referenced security group is deleted, this value is not returned.

[EC2-Classic] Required when adding or removing rules that reference a security group in another Amazon Web Services account.

' + vpcId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the VPC for the referenced security group, if applicable.' + vpcPeeringConnectionId: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The ID of the VPC peering connection, if applicable.' + description: Describes a security group and Amazon Web Services account ID pair. + VCpuCount: + type: integer + VCpuCountRangeRequest: + type: object + required: + - Min + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Integer' + - description: 'The maximum number of vCPUs. To specify no maximum limit, omit this parameter.' + description: The minimum and maximum number of vCPUs. + VgwTelemetry: + type: object + properties: + acceptedRouteCount: + allOf: + - $ref: '#/components/schemas/Integer' + - description: The number of accepted routes. + lastStatusChange: + allOf: + - $ref: '#/components/schemas/DateTime' + - description: The date and time of the last change in status. + outsideIpAddress: + allOf: + - $ref: '#/components/schemas/String' + - description: The Internet-routable IP address of the virtual private gateway's outside interface. + status: + allOf: + - $ref: '#/components/schemas/TelemetryStatus' + - description: The status of the VPN tunnel. + statusMessage: + allOf: + - $ref: '#/components/schemas/String' + - description: 'If an error occurs, a description of the error.' + certificateArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the VPN tunnel endpoint certificate. + description: Describes telemetry for a VPN tunnel. + VgwTelemetryList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VgwTelemetry' + - xml: + name: item + VirtualizationTypeSet: + type: array + items: + allOf: + - $ref: '#/components/schemas/VirtualizationType' + - xml: + name: item + minItems: 0 + maxItems: 2 + VolumeAttachmentList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeAttachment' + - xml: + name: item + VolumeState: + type: string + enum: + - creating + - available + - in-use + - deleting + - deleted + - error + VolumeAttachmentState: + type: string + enum: + - attaching + - attached + - detaching + - detached + - busy + VolumeAttributeName: + type: string + enum: + - autoEnableIO + - productCodes + VolumeModificationState: + type: string + enum: + - modifying + - optimizing + - completed + - failed + VolumeStatusAction: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/String' + - description: 'The code identifying the operation, for example, enable-volume-io.' + description: + allOf: + - $ref: '#/components/schemas/String' + - description: A description of the operation. + eventId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the event associated with this operation. + eventType: + allOf: + - $ref: '#/components/schemas/String' + - description: The event type associated with this operation. + description: Describes a volume status operation code. + VolumeStatusActionsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeStatusAction' + - xml: + name: item + VolumeStatusAttachmentStatus: + type: object + properties: + ioPerformance: + allOf: + - $ref: '#/components/schemas/String' + - description: The maximum IOPS supported by the attached instance. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the attached instance. + description: Information about the instances to which the volume is attached. + VolumeStatusAttachmentStatusList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeStatusAttachmentStatus' + - xml: + name: item + VolumeStatusName: type: string - format: date-time - DescribeVolumesRequest: + enum: + - io-enabled + - io-performance + VolumeStatusDetails: type: object - title: DescribeVolumesRequest properties: - Filters: + name: allOf: - - $ref: "#/components/schemas/FilterList" - - xml: - name: Filter - description:

The filters.

- VolumeIds: + - $ref: '#/components/schemas/VolumeStatusName' + - description: The name of the volume status. + status: allOf: - - $ref: "#/components/schemas/VolumeIdStringList" - - xml: - name: VolumeId - description: The volume IDs. - DryRun: + - $ref: '#/components/schemas/String' + - description: The intended status of the volume status. + description: Describes a volume status. + VolumeStatusDetailsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeStatusDetails' + - xml: + name: item + VolumeStatusEvent: + type: object + properties: + description: allOf: - - $ref: "#/components/schemas/Boolean" - - xml: - name: dryRun - description: Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation. - MaxResults: + - $ref: '#/components/schemas/String' + - description: A description of the event. + eventId: allOf: - - $ref: "#/components/schemas/Integer" - - xml: - name: maxResults - description: The maximum number of volume results returned by DescribeVolumes in paginated output. When this parameter is used, DescribeVolumes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeVolumes request with the returned NextToken value. This value can be between 5 and 500; if MaxResults is given a value larger than 500, only 500 results are returned. If this parameter is not used, then DescribeVolumes returns all results. You cannot specify this parameter and the volume IDs parameter in the same request. - NextToken: + - $ref: '#/components/schemas/String' + - description: The ID of this event. + eventType: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: nextToken - description: The NextToken value returned from a previous paginated DescribeVolumes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. - DisplayVolumesSchema: - title: Key Display - type: object - properties: - next_page_token: - type: string - description: The NextToken value to include in a future DescribeVolumes request. When the results of a DescribeVolumes request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return. - line_items: - type: array - items: - type: object - properties: - volume_type: - type: string - description: The volume type - example: gp3 - volume_id: - type: string - example: vol-00aaaccc111000000 - snapshot_id: - type: string - status: - type: string - availability_zone: - type: string - create_time: - type: string - description: Textual datetime representation of the volume's creation time. - example: '2024-08-20T05:47:06.409Z' - size: - type: integer - example: 8 - encrypted: - type: bool - multi_attach_enabled: - type: bool - DescribeVolumesResult: - type: object - example: - Volumes: - - Attachments: - - AttachTime: 2013-12-18T22:35:00.000Z - DeleteOnTermination: true - Device: /dev/sda1 - InstanceId: i-1234567890abcdef0 - State: attached - VolumeId: vol-049df61146c4d7901 - AvailabilityZone: us-east-1a - CreateTime: 2013-12-18T22:35:00.084Z - Size: 8 - SnapshotId: snap-1234567890abcdef0 - State: in-use - VolumeId: vol-049df61146c4d7901 - VolumeType: standard - properties: - Volumes: + - $ref: '#/components/schemas/String' + - description: The type of this event. + notAfter: allOf: - - $ref: "#/components/schemas/VolumeList" - - xml: - name: volumeSet - description: Information about the volumes. - NextToken: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The latest end time of the event. + notBefore: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: nextToken - description: The NextToken value to include in a future DescribeVolumes request. When the results of a DescribeVolumes request exceed MaxResults, this value can be used to retrieve the next page of results. This value is null when there are no more results to return. - Tag: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The earliest start time of the event. + instanceId: + allOf: + - $ref: '#/components/schemas/String' + - description: The ID of the instance associated with the event. + description: Describes a volume status event. + VolumeStatusEventsList: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeStatusEvent' + - xml: + name: item + VolumeStatusInfoStatus: + type: string + enum: + - ok + - impaired + - insufficient-data + VolumeStatusInfo: type: object properties: - Key: + details: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: key - description: "

The key of the tag.

Constraints: Tag keys are case-sensitive and accept a maximum of 127 Unicode characters. May not begin with aws:.

" - Value: + - $ref: '#/components/schemas/VolumeStatusDetailsList' + - description: The details of the volume status. + status: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: value - description: "

The value of the tag.

Constraints: Tag values are case-sensitive and accept a maximum of 255 Unicode characters.

" - description: Describes a tag. - Filter: + - $ref: '#/components/schemas/VolumeStatusInfoStatus' + - description: The status of the volume. + description: Describes the status of a volume. + VolumeStatusItem: type: object properties: - Name: + actionsSet: allOf: - - $ref: "#/components/schemas/String" - - description: The name of the filter. Filter names are case-sensitive. - Values: + - $ref: '#/components/schemas/VolumeStatusActionsList' + - description: The details of the operation. + availabilityZone: allOf: - - $ref: "#/components/schemas/ValueStringList" - - xml: - name: Value - description: The filter values. Filter values are case-sensitive. - description: A filter name and value pair that is used to return a more specific list of results from a describe operation. Filters can be used to match a set of resources by specific criteria, such as tags, attributes, or IDs. - FilterList: + - $ref: '#/components/schemas/String' + - description: The Availability Zone of the volume. + outpostArn: + allOf: + - $ref: '#/components/schemas/String' + - description: The Amazon Resource Name (ARN) of the Outpost. + eventsSet: + allOf: + - $ref: '#/components/schemas/VolumeStatusEventsList' + - description: A list of events associated with the volume. + volumeId: + allOf: + - $ref: '#/components/schemas/String' + - description: The volume ID. + volumeStatus: + allOf: + - $ref: '#/components/schemas/VolumeStatusInfo' + - description: The volume status. + attachmentStatuses: + allOf: + - $ref: '#/components/schemas/VolumeStatusAttachmentStatusList' + - description: Information about the instances to which the volume is attached. + description: Describes the volume status. + VpcState: + type: string + enum: + - pending + - available + VpcIpv6CidrBlockAssociationSet: type: array items: allOf: - - $ref: "#/components/schemas/Filter" + - $ref: '#/components/schemas/VpcIpv6CidrBlockAssociation' - xml: - name: Filter - Integer: - type: integer - String: - type: string - TagList: + name: item + VpcCidrBlockAssociationSet: type: array items: allOf: - - $ref: "#/components/schemas/Tag" + - $ref: '#/components/schemas/VpcCidrBlockAssociation' - xml: name: item - ValueStringList: + VpcAttachmentList: type: array items: allOf: - - $ref: "#/components/schemas/String" + - $ref: '#/components/schemas/VpcAttachment' - xml: name: item - Volume: + VpcAttributeName: + type: string + enum: + - enableDnsSupport + - enableDnsHostnames + VpcCidrBlockState: type: object - example: - Attachments: [] - AvailabilityZone: us-east-1a - CreateTime: 2016-08-29T18:52:32.724Z - Iops: 1000 - Size: 500 - SnapshotId: snap-066877671789bd71b - State: creating - Tags: [] - VolumeId: vol-1234567890abcdef0 - VolumeType: io1 properties: - Attachments: - allOf: - - $ref: "#/components/schemas/VolumeAttachmentList" - - xml: - name: attachmentSet - description: Information about the volume attachments. - AvailabilityZone: - allOf: - - $ref: "#/components/schemas/String" - - xml: - name: availabilityZone - description: The Availability Zone for the volume. - CreateTime: + state: allOf: - - $ref: "#/components/schemas/DateTime" - - xml: - name: createTime - description: The time stamp when volume creation was initiated. - Encrypted: + - $ref: '#/components/schemas/VpcCidrBlockStateCode' + - description: The state of the CIDR block. + statusMessage: allOf: - - $ref: "#/components/schemas/Boolean" - - xml: - name: encrypted - description: Indicates whether the volume is encrypted. - KmsKeyId: + - $ref: '#/components/schemas/String' + - description: 'A message about the status of the CIDR block, if applicable.' + description: Describes the state of a CIDR block. + VpcCidrBlockStateCode: + type: string + enum: + - associating + - associated + - disassociating + - disassociated + - failing + - failed + VpcClassicLink: + type: object + properties: + classicLinkEnabled: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: kmsKeyId - description: The Amazon Resource Name (ARN) of the Key Management Service (KMS) KMS key that was used to protect the volume encryption key for the volume. - OutpostArn: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the VPC is enabled for ClassicLink. + tagSet: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: outpostArn - description: The Amazon Resource Name (ARN) of the Outpost. - Size: + - $ref: '#/components/schemas/TagList' + - description: Any tags assigned to the VPC. + vpcId: allOf: - - $ref: "#/components/schemas/Integer" - - xml: - name: size - description: The size of the volume, in GiBs. - SnapshotId: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + description: Describes whether a VPC is enabled for ClassicLink. + VpcEndpointType: + type: string + enum: + - Interface + - Gateway + - GatewayLoadBalancer + VpcEndpointConnection: + type: object + properties: + serviceId: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: snapshotId - description: The snapshot from which the volume was created, if applicable. - State: + - $ref: '#/components/schemas/String' + - description: The ID of the service to which the endpoint is connected. + vpcEndpointId: allOf: - - $ref: "#/components/schemas/VolumeState" - - xml: - name: status - description: The volume state. - VolumeId: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC endpoint. + vpcEndpointOwner: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: volumeId - description: The ID of the volume. - Iops: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the VPC endpoint. + vpcEndpointState: allOf: - - $ref: "#/components/schemas/Integer" - - xml: - name: iops - description: The number of I/O operations per second (IOPS). For gp3, io1, and io2 volumes, this represents the number of IOPS that are provisioned for the volume. For gp2 volumes, this represents the baseline performance of the volume and the rate at which the volume accumulates I/O credits for bursting. - Tags: + - $ref: '#/components/schemas/State' + - description: The state of the VPC endpoint. + creationTimestamp: allOf: - - $ref: "#/components/schemas/TagList" - - xml: - name: tagSet - description: Any tags assigned to the volume. - VolumeType: + - $ref: '#/components/schemas/MillisecondDateTime' + - description: The date and time that the VPC endpoint was created. + dnsEntrySet: allOf: - - $ref: "#/components/schemas/VolumeType" - - xml: - name: volumeType - description: The volume type. - FastRestored: + - $ref: '#/components/schemas/DnsEntrySet' + - description: The DNS entries for the VPC endpoint. + networkLoadBalancerArnSet: allOf: - - $ref: "#/components/schemas/Boolean" - - xml: - name: fastRestored - description: Indicates whether the volume was created using fast snapshot restore. - MultiAttachEnabled: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of the network load balancers for the service. + gatewayLoadBalancerArnSet: allOf: - - $ref: "#/components/schemas/Boolean" - - xml: - name: multiAttachEnabled - description: Indicates whether Amazon EBS Multi-Attach is enabled. - Throughput: + - $ref: '#/components/schemas/ValueStringList' + - description: The Amazon Resource Names (ARNs) of the Gateway Load Balancers for the service. + ipAddressType: allOf: - - $ref: "#/components/schemas/Integer" - - xml: - name: throughput - description: The throughput that the volume supports, in MiB/s. - description: Describes a volume. - VolumeAttachment: + - $ref: '#/components/schemas/IpAddressType' + - description: The IP address type for the endpoint. + description: Describes a VPC endpoint connection to a service. + VpcPeeringConnectionVpcInfo: type: object - example: - AttachTime: 2014-02-27T19:23:06.000Z - Device: /dev/sdb - InstanceId: i-1234567890abcdef0 - State: detaching - VolumeId: vol-049df61146c4d7901 properties: - AttachTime: + cidrBlock: allOf: - - $ref: "#/components/schemas/DateTime" - - xml: - name: attachTime - description: The time stamp when the attachment initiated. - Device: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR block for the VPC. + ipv6CidrBlockSet: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: device - description: The device name. - InstanceId: + - $ref: '#/components/schemas/Ipv6CidrBlockSet' + - description: The IPv6 CIDR block for the VPC. + cidrBlockSet: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: instanceId - description: The ID of the instance. - State: + - $ref: '#/components/schemas/CidrBlockSet' + - description: Information about the IPv4 CIDR blocks for the VPC. + ownerId: allOf: - - $ref: "#/components/schemas/VolumeAttachmentState" - - xml: - name: status - description: The attachment state of the volume. - VolumeId: + - $ref: '#/components/schemas/String' + - description: The ID of the Amazon Web Services account that owns the VPC. + peeringOptions: allOf: - - $ref: "#/components/schemas/String" - - xml: - name: volumeId - description: The ID of the volume. - DeleteOnTermination: + - $ref: '#/components/schemas/VpcPeeringConnectionOptionsDescription' + - description: Information about the VPC peering connection options for the accepter or requester VPC. + vpcId: allOf: - - $ref: "#/components/schemas/Boolean" - - xml: - name: deleteOnTermination - description: Indicates whether the EBS volume is deleted on instance termination. - description: Describes volume attachment details. - VolumeAttachmentList: + - $ref: '#/components/schemas/String' + - description: The ID of the VPC. + region: + allOf: + - $ref: '#/components/schemas/String' + - description: The Region in which the VPC is located. + description: Describes a VPC in a VPC peering connection. + VpcPeeringConnectionStateReason: + type: object + properties: + code: + allOf: + - $ref: '#/components/schemas/VpcPeeringConnectionStateReasonCode' + - description: The status of the VPC peering connection. + message: + allOf: + - $ref: '#/components/schemas/String' + - description: 'A message that provides more information about the status, if applicable.' + description: Describes the status of a VPC peering connection. + VpcPeeringConnectionIdList: type: array items: allOf: - - $ref: "#/components/schemas/VolumeAttachment" + - $ref: '#/components/schemas/VpcPeeringConnectionId' - xml: name: item - VolumeAttachmentState: + VpcPeeringConnectionOptionsDescription: + type: object + properties: + allowDnsResolutionFromRemoteVpc: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether a local VPC can resolve public DNS hostnames to private IP addresses when queried from instances in a peer VPC. + allowEgressFromLocalClassicLinkToRemoteVpc: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether a local ClassicLink connection can communicate with the peer VPC over the VPC peering connection. + allowEgressFromLocalVpcToRemoteClassicLink: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether a local VPC can communicate with a ClassicLink connection in the peer VPC over the VPC peering connection. + description: Describes the VPC peering connection options. + VpcPeeringConnectionStateReasonCode: type: string enum: - - attaching - - attached - - detaching - - detached - - busy - VolumeId: + - initiating-request + - pending-acceptance + - active + - deleted + - rejected + - failed + - expired + - provisioning + - deleting + VpcTenancy: type: string - VolumeIdStringList: - type: array - items: - allOf: - - $ref: "#/components/schemas/VolumeId" - - xml: - name: VolumeId - VolumeList: + enum: + - default + VpnState: + type: string + enum: + - pending + - available + - deleting + - deleted + VpnConnectionOptions: + type: object + properties: + enableAcceleration: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether acceleration is enabled for the VPN connection. + staticRoutesOnly: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: Indicates whether the VPN connection uses static routes only. Static routes must be used for devices that don't support BGP. + localIpv4NetworkCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR on the customer gateway (on-premises) side of the VPN connection. + remoteIpv4NetworkCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv4 CIDR on the Amazon Web Services side of the VPN connection. + localIpv6NetworkCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR on the customer gateway (on-premises) side of the VPN connection. + remoteIpv6NetworkCidr: + allOf: + - $ref: '#/components/schemas/String' + - description: The IPv6 CIDR on the Amazon Web Services side of the VPN connection. + tunnelInsideIpVersion: + allOf: + - $ref: '#/components/schemas/TunnelInsideIpVersion' + - description: Indicates whether the VPN tunnels process IPv4 or IPv6 traffic. + tunnelOptionSet: + allOf: + - $ref: '#/components/schemas/TunnelOptionsList' + - description: Indicates the VPN tunnel options. + description: Describes VPN connection options. + VpnStaticRouteList: type: array items: allOf: - - $ref: "#/components/schemas/Volume" + - $ref: '#/components/schemas/VpnStaticRoute' - xml: name: item - VolumeState: + VpnConnectionDeviceType: + type: object + properties: + vpnConnectionDeviceTypeId: + allOf: + - $ref: '#/components/schemas/String' + - description: Customer gateway device identifier. + vendor: + allOf: + - $ref: '#/components/schemas/String' + - description: Customer gateway device vendor. + platform: + allOf: + - $ref: '#/components/schemas/String' + - description: Customer gateway device platform. + software: + allOf: + - $ref: '#/components/schemas/String' + - description: Customer gateway device software version. + description: 'List of customer gateway devices that have a sample configuration file available for use. You can also see the list of device types with sample configuration files available under Your customer gateway device in the Amazon Web Services Site-to-Site VPN User Guide.' + VpnConnectionDeviceTypeId: type: string - enum: - - creating - - available - - in-use - - deleting - - deleted - - error - VolumeType: + VpnStaticRouteSource: type: string enum: - - standard - - io1 - - io2 - - gp2 - - sc1 - - st1 - - gp3 + - Static + VpnStaticRoute: + type: object + properties: + destinationCidrBlock: + allOf: + - $ref: '#/components/schemas/String' + - description: The CIDR block associated with the local subnet of the customer data center. + source: + allOf: + - $ref: '#/components/schemas/VpnStaticRouteSource' + - description: Indicates how the routes were provided. + state: + allOf: + - $ref: '#/components/schemas/VpnState' + - description: The current state of the static route. + description: Describes a static route for a VPN connection. + VpnTunnelOptionsSpecification: + type: object + properties: + undefined: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The action to take after DPD timeout occurs. Specify restart to restart the IKE initiation. Specify clear to end the IKE session.

Valid Values: clear | none | restart

Default: clear

' + Phase1EncryptionAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase1EncryptionAlgorithmsRequestList' + - description: '

One or more encryption algorithms that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: AES128 | AES256 | AES128-GCM-16 | AES256-GCM-16

' + Phase2EncryptionAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase2EncryptionAlgorithmsRequestList' + - description: '

One or more encryption algorithms that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: AES128 | AES256 | AES128-GCM-16 | AES256-GCM-16

' + Phase1IntegrityAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase1IntegrityAlgorithmsRequestList' + - description: '

One or more integrity algorithms that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: SHA1 | SHA2-256 | SHA2-384 | SHA2-512

' + Phase2IntegrityAlgorithm: + allOf: + - $ref: '#/components/schemas/Phase2IntegrityAlgorithmsRequestList' + - description: '

One or more integrity algorithms that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: SHA1 | SHA2-256 | SHA2-384 | SHA2-512

' + Phase1DHGroupNumber: + allOf: + - $ref: '#/components/schemas/Phase1DHGroupNumbersRequestList' + - description: '

One or more Diffie-Hellman group numbers that are permitted for the VPN tunnel for phase 1 IKE negotiations.

Valid values: 2 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24

' + Phase2DHGroupNumber: + allOf: + - $ref: '#/components/schemas/Phase2DHGroupNumbersRequestList' + - description: '

One or more Diffie-Hellman group numbers that are permitted for the VPN tunnel for phase 2 IKE negotiations.

Valid values: 2 | 5 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24

' + IKEVersion: + allOf: + - $ref: '#/components/schemas/String' + - description: '

The action to take when the establishing the tunnel for the VPN connection. By default, your customer gateway device must initiate the IKE negotiation and bring up the tunnel. Specify start for Amazon Web Services to initiate the IKE negotiation.

Valid Values: add | start

Default: add

' + description: The tunnel options for a single VPN tunnel. + VpnTunnelOptionsSpecificationsList: + type: array + items: + $ref: '#/components/schemas/VpnTunnelOptionsSpecification' + WithdrawByoipCidrRequest: + type: object + required: + - Cidr + title: WithdrawByoipCidrRequest + properties: + undefined: + allOf: + - $ref: '#/components/schemas/Boolean' + - description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + ZoneIdStringList: + type: array + items: + allOf: + - $ref: '#/components/schemas/String' + - xml: + name: ZoneId +security: + - hmac: [] x-stackQL-config: queryParamTranspose: algorithm: AWSCanonical requestTranslate: - algorithm: get_query_to_post_form_utf_8 \ No newline at end of file + algorithm: get_query_to_post_form_utf_8 diff --git a/test/registry/src/aws/v0.1.0/provider.yaml b/test/registry/src/aws/v0.1.0/provider.yaml index 94a4d81..5437784 100644 --- a/test/registry/src/aws/v0.1.0/provider.yaml +++ b/test/registry/src/aws/v0.1.0/provider.yaml @@ -11,6 +11,15 @@ providerServices: $ref: aws/v0.1.0/services/ec2.yaml title: EC2 version: v0.1.0 + s3: + description: s3 + id: s3:v0.1.0 + name: s3 + preferred: true + service: + $ref: aws/v0.1.0/services/s3.yaml + title: S3 + version: v0.1.0 openapi: 3.0.0 config: auth: diff --git a/test/registry/src/aws/v0.1.0/services/ec2.yaml b/test/registry/src/aws/v0.1.0/services/ec2.yaml index e70c9b9..246497d 100644 --- a/test/registry/src/aws/v0.1.0/services/ec2.yaml +++ b/test/registry/src/aws/v0.1.0/services/ec2.yaml @@ -92,6 +92,92 @@ servers: description: The Amazon EC2 endpoint for China (Beijing) and China (Ningxia) x-hasEquivalentPaths: true paths: + '/?__Action=DescribeVolumes&__Version=2016-11-15': + get: + x-aws-operation-name: DescribeVolumes + operationId: GET_DescribeVolumes + description: '

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesResult' + parameters: + - name: Filter + in: query + required: false + description: '

The filters.

' + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/Filter' + - xml: + name: Filter + - name: VolumeId + in: query + required: false + description: The volume IDs. + schema: + type: array + items: + allOf: + - $ref: '#/components/schemas/VolumeId' + - xml: + name: VolumeId + - name: DryRun + in: query + required: false + description: 'Checks whether you have the required permissions for the action, without actually making the request, and provides an error response. If you have the required permissions, the error response is DryRunOperation. Otherwise, it is UnauthorizedOperation.' + schema: + type: boolean + - name: MaxResults + in: query + required: false + description: 'The maximum number of volume results returned by DescribeVolumes in paginated output. When this parameter is used, DescribeVolumes only returns MaxResults results in a single page along with a NextToken response element. The remaining results of the initial request can be seen by sending another DescribeVolumes request with the returned NextToken value. This value can be between 5 and 500; if MaxResults is given a value larger than 500, only 500 results are returned. If this parameter is not used, then DescribeVolumes returns all results. You cannot specify this parameter and the volume IDs parameter in the same request.' + schema: + type: integer + - name: NextToken + in: query + required: false + description: The NextToken value returned from a previous paginated DescribeVolumes request where MaxResults was used and the results exceeded the value of that parameter. Pagination continues from the end of the previous results that returned the NextToken value. This value is null when there are no more results to return. + schema: + type: string + parameters: + - $ref: '#/components/parameters/X-Amz-Content-Sha256' + - $ref: '#/components/parameters/X-Amz-Date' + - $ref: '#/components/parameters/X-Amz-Algorithm' + - $ref: '#/components/parameters/X-Amz-Credential' + - $ref: '#/components/parameters/X-Amz-Security-Token' + - $ref: '#/components/parameters/X-Amz-Signature' + - $ref: '#/components/parameters/X-Amz-SignedHeaders' + post: + x-aws-operation-name: DescribeVolumes + operationId: POST_DescribeVolumes + parameters: + - in: header + name: Content-Type + required: false + schema: + default: application/x-www-form-urlencoded + enum: + - application/x-www-form-urlencoded + type: string + description: '

Describes the specified EBS volumes or all of your EBS volumes.

If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. The MaxResults parameter sets the maximum number of results returned in a single page. If the list of results exceeds your MaxResults value, then that number of results is returned along with a NextToken value that can be passed to a subsequent DescribeVolumes request to retrieve the remaining results.

For more information about EBS volumes, see Amazon EBS volumes in the Amazon Elastic Compute Cloud User Guide.

' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesResult' + requestBody: + content: + text/xml: + schema: + $ref: '#/components/schemas/DescribeVolumesRequest' /?Action=DescribeVolumes&Version=2016-11-15: get: x-aws-operation-name: DescribeVolumes @@ -214,6 +300,60 @@ paths: - 2016-11-15 components: x-stackQL-resources: + volumes_post_naively_presented: + id: aws.ec2.volumes_post_naively_presented + name: volumes_post_naively_presented + title: volumes_post_naively_presented + methods: + describeVolumes: + config: + requestBodyTranslate: + algorithm: naive + requestTranslate: + algorithm: drop_double_underscore_params + pagination: + requestToken: + key: nextToken + location: body + responseToken: + key: $.NextToken + location: body + operation: + $ref: '#/paths/~1?__Action=DescribeVolumes&__Version=2016-11-15/post' + response: + mediaType: application/xml + overrideMediaType: application/json + openAPIDocKey: '200' + schema_override: + $ref: '#/components/schemas/DescribeVolumesOutput' + transform: + body: >- + {{ toJson . }} + type: 'golang_template_mxj_v0.2.0' + request: + mediaType: application/x-www-form-urlencoded + schema_override: + $ref: '#/components/schemas/DescribeVolumesRequest' + transform: + type: golang_template_text_v0.1.0 + body: |- + {{- $ctx := . -}} + {{- if or (not $ctx) (eq (len $ctx) 0) -}} + {{- $ctx = "{}" -}} + {{- end -}} + {{- $body := jsonMapFromString $ctx -}} + {{- $nextToken := index $body "NextToken" -}} + {{- $query := "Action=DescribeVolumes&Version=2016-11-15" -}} + {{- if and $nextToken (ne $nextToken "") -}} + {{- $query = printf "%s&nextToken=%s" $query (urlquery $nextToken) -}} + {{- end -}} + {{- $query -}} + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/volumes_post_naively_presented/methods/describeVolumes' + insert: [] + update: [] + delete: [] volumes: id: aws.ec2.volumes name: volumes @@ -334,6 +474,13 @@ components: description: Amazon Signature authorization v4 x-amazon-apigateway-authtype: awsSigv4 schemas: + DescribeVolumesOutput: + type: object + properties: + DescribeVolumesResponse: + xml: + name: DescribeVolumesResult + $ref: '#/components/schemas/DescribeVolumesResult' Boolean: type: boolean DateTime: diff --git a/test/registry/src/aws/v0.1.0/services/s3.yaml b/test/registry/src/aws/v0.1.0/services/s3.yaml new file mode 100644 index 0000000..a9c2fa1 --- /dev/null +++ b/test/registry/src/aws/v0.1.0/services/s3.yaml @@ -0,0 +1,23393 @@ +openapi: 3.1.0 +info: + contact: + name: StackQL Studios + url: https://stackql.io/ + email: info@stackql.io + x-aws-modelFile: https://github.com/aws/api-models-aws/tree/main/models/s3/service/2006-03-01/s3-2006-03-01.json + version: '2006-03-01' + title: Amazon Simple Storage Service + description: "" + x-serviceName: s3 + x-aws-modelProtocol: aws.protocols#restXml +servers: +- description: The Amazon Simple Storage Service regional endpoint + url: https://s3.{region}.amazonaws.com + variables: + region: + description: The AWS region + enum: + - us-east-1 + - us-east-2 + - us-west-1 + - us-west-2 + - us-gov-west-1 + - us-gov-east-1 + - ca-central-1 + - eu-north-1 + - eu-west-1 + - eu-west-2 + - eu-west-3 + - eu-central-1 + - eu-south-1 + - af-south-1 + - ap-northeast-1 + - ap-northeast-2 + - ap-northeast-3 + - ap-southeast-1 + - ap-southeast-2 + - ap-east-1 + - ap-south-1 + - sa-east-1 + - me-south-1 + default: us-east-1 +paths: + /{Bucket}/{Key+}?x-id=AbortMultipartUpload: + delete: + operationId: AbortMultipartUpload + description: "This operation aborts a multipart upload. After a multipart upload\ + \ is aborted, no additional parts can be uploaded using that upload ID. The\ + \ storage consumed by any previously uploaded parts will be freed. However,\ + \ if any part uploads are currently in progress, those part uploads might\ + \ or might not succeed. As a result, it might be necessary to abort a given\ + \ multipart upload multiple times in order to completely free all storage\ + \ consumed by all parts.\n\nTo verify that all parts have been removed and\ + \ prevent getting charged for the part storage, you should call the [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\ + \ API operation and ensure that the parts list is empty.\n\n * **Directory\ + \ buckets** \\- If multipart uploads in a directory bucket are in progress,\ + \ you can't delete the bucket until all the in-progress multipart uploads\ + \ are aborted or completed. To delete these in-progress multipart uploads,\ + \ use the `ListMultipartUploads` operation to list the in-progress multipart\ + \ uploads in the bucket and use the `AbortMultipartUpload` operation to abort\ + \ all the in-progress multipart uploads. \n\n * **Directory buckets** \\\ + - For directory buckets, you must make requests for this API operation to\ + \ the Zonal endpoint. These endpoints support virtual-hosted-style requests\ + \ in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- For information about permissions required to use\ + \ the multipart upload, see [Multipart Upload and Permissions](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuAndPermissions.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nHTTP Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host\ + \ header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `AbortMultipartUpload`:\n\n * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: uploadId + in: query + required: true + schema: + $ref: '#/components/schemas/MultipartUploadId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-if-match-initiated-time + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatchInitiatedTime' + responses: + '204': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/AbortMultipartUploadOutput' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchUpload' + description: |- + The specified multipart upload does not exist. + /{Bucket}/{Key+}: + post: + operationId: CompleteMultipartUpload + description: "Completes a multipart upload by assembling previously uploaded\ + \ parts.\n\nYou first initiate the multipart upload and then upload all parts\ + \ using the [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\ + \ operation or the [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)\ + \ operation. After successfully uploading all relevant parts of an upload,\ + \ you call this `CompleteMultipartUpload` operation to complete the upload.\ + \ Upon receiving this request, Amazon S3 concatenates all the parts in ascending\ + \ order by part number to create a new object. In the CompleteMultipartUpload\ + \ request, you must provide the parts list and ensure that the parts list\ + \ is complete. The CompleteMultipartUpload API operation concatenates the\ + \ parts that you provide in the list. For each part in the list, you must\ + \ provide the `PartNumber` value and the `ETag` value that are returned after\ + \ that part was uploaded.\n\nThe processing of a CompleteMultipartUpload request\ + \ could take several minutes to finalize. After Amazon S3 begins processing\ + \ the request, it sends an HTTP response header that specifies a `200 OK`\ + \ response. While processing is in progress, Amazon S3 periodically sends\ + \ white space characters to keep the connection from timing out. A request\ + \ could fail after the initial `200 OK` response has been sent. This means\ + \ that a `200 OK` response can contain either a success or an error. The error\ + \ response might be embedded in the `200 OK` response. If you call this API\ + \ operation directly, make sure to design your application to parse the contents\ + \ of the response and handle it appropriately. If you use Amazon Web Services\ + \ SDKs, SDKs handle this condition. The SDKs detect the embedded error and\ + \ apply error handling per your configuration settings (including automatically\ + \ retrying the request as appropriate). If the condition persists, the SDKs\ + \ throw an exception (or, for the SDKs that don't use exceptions, they return\ + \ an error).\n\nNote that if `CompleteMultipartUpload` fails, applications\ + \ should be prepared to retry any failed requests (including 500 error responses).\ + \ For more information, see [Amazon S3 Error Best Practices](https://docs.aws.amazon.com/AmazonS3/latest/dev/ErrorBestPractices.html).\n\ + \nYou can't use `Content-Type: application/x-www-form-urlencoded` for the\ + \ CompleteMultipartUpload requests. Also, if you don't provide a `Content-Type`\ + \ header, `CompleteMultipartUpload` can still return a `200 OK` response.\n\ + \nFor more information about multipart uploads, see [Uploading Objects Using\ + \ Multipart Upload](https://docs.aws.amazon.com/AmazonS3/latest/dev/uploadobjusingmpu.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Zonal endpoint.\ + \ These endpoints support virtual-hosted-style requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- For information about permissions required to use\ + \ the multipart upload API, see [Multipart Upload and Permissions](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuAndPermissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you provide an [additional checksum\ + \ value](https://docs.aws.amazon.com/AmazonS3/latest/API/API_Checksum.html)\ + \ in your `MultipartUpload` requests and the object is encrypted with Key\ + \ Management Service, you must have permission to use the `kms:Decrypt` action\ + \ for the `CompleteMultipartUpload` request to succeed.\n\n * **Directory\ + \ bucket permissions** \\- To grant access to this API operation on a directory\ + \ bucket, we recommend that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nIf the object is encrypted with SSE-KMS, you must also have the `kms:GenerateDataKey`\ + \ and `kms:Decrypt` permissions in IAM identity-based policies and KMS key\ + \ policies for the KMS key.\n\nSpecial errors\n\n \n\n * Error Code: `EntityTooSmall`\n\ + \n * Description: Your proposed upload is smaller than the minimum allowed\ + \ object size. Each part must be at least 5 MB in size, except the last part.\n\ + \n * HTTP Status Code: 400 Bad Request\n\n * Error Code: `InvalidPart`\n\ + \n * Description: One or more of the specified parts could not be found.\ + \ The part might not have been uploaded, or the specified ETag might not have\ + \ matched the uploaded part's ETag.\n\n * HTTP Status Code: 400 Bad Request\n\ + \n * Error Code: `InvalidPartOrder`\n\n * Description: The list of parts\ + \ was not in ascending order. The parts list must be specified in order by\ + \ part number.\n\n * HTTP Status Code: 400 Bad Request\n\n * Error Code:\ + \ `NoSuchUpload`\n\n * Description: The specified multipart upload does\ + \ not exist. The upload ID might be invalid, or the multipart upload might\ + \ have been aborted or completed.\n\n * HTTP Status Code: 404 Not Found\n\ + \nHTTP Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host\ + \ header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `CompleteMultipartUpload`:\n\n \ + \ * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: uploadId + in: query + required: true + schema: + $ref: '#/components/schemas/MultipartUploadId' + - name: x-amz-checksum-crc32 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32' + - name: x-amz-checksum-crc32c + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32C' + - name: x-amz-checksum-crc64nvme + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC64NVME' + - name: x-amz-checksum-sha1 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA1' + - name: x-amz-checksum-sha256 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA256' + - name: x-amz-checksum-type + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumType' + - name: x-amz-mp-object-size + in: header + required: false + schema: + $ref: '#/components/schemas/MpuObjectSize' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: If-None-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfNoneMatch' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/CompletedMultipartUpload' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CompleteMultipartUploadOutput' + head: + operationId: HeadObject + description: "The `HEAD` operation retrieves metadata from an object without\ + \ returning the object itself. This operation is useful if you're interested\ + \ only in an object's metadata.\n\nA `HEAD` request has the same options as\ + \ a `GET` operation on an object. The response is identical to the `GET` response\ + \ except that there is no response body. Because of this, if the `HEAD` request\ + \ generates an error, it returns a generic code, such as `400 Bad Request`,\ + \ `403 Forbidden`, `404 Not Found`, `405 Method Not Allowed`, `412 Precondition\ + \ Failed`, or `304 Not Modified`. It's not possible to retrieve the exact\ + \ exception of these error codes.\n\nRequest headers are limited to 8 KB in\ + \ size. For more information, see [Common Request Headers](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTCommonRequestHeaders.html).\n\ + \nPermissions\n\n \n\n * **General purpose bucket permissions** \\- To\ + \ use `HEAD`, you must have the `s3:GetObject` permission. You need the relevant\ + \ read object (or version) permission for this operation. For more information,\ + \ see [Actions, resources, and condition keys for Amazon S3](https://docs.aws.amazon.com/AmazonS3/latest/dev/list_amazons3.html)\ + \ in the _Amazon S3 User Guide_. For more information about the permissions\ + \ to S3 API operations by S3 resource types, see [Required permissions for\ + \ Amazon S3 API operations](/AmazonS3/latest/userguide/using-with-s3-policy-actions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the object you request doesn't exist,\ + \ the error that Amazon S3 returns depends on whether you also have the `s3:ListBucket`\ + \ permission.\n\n * If you have the `s3:ListBucket` permission on the bucket,\ + \ Amazon S3 returns an HTTP status code `404 Not Found` error.\n\n * If\ + \ you don’t have the `s3:ListBucket` permission, Amazon S3 returns an HTTP\ + \ status code `403 Forbidden` error.\n\n * **Directory bucket permissions**\ + \ \\- To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nIf you enable `x-amz-checksum-mode` in the request and the object is encrypted\ + \ with Amazon Web Services Key Management Service (Amazon Web Services KMS),\ + \ you must also have the `kms:GenerateDataKey` and `kms:Decrypt` permissions\ + \ in IAM identity-based policies and KMS key policies for the KMS key to retrieve\ + \ the checksum of the object.\n\nEncryption\n\n \n\nEncryption request\ + \ headers, like `x-amz-server-side-encryption`, should not be sent for `HEAD`\ + \ requests if your object uses server-side encryption with Key Management\ + \ Service (KMS) keys (SSE-KMS), dual-layer server-side encryption with Amazon\ + \ Web Services KMS keys (DSSE-KMS), or server-side encryption with Amazon\ + \ S3 managed encryption keys (SSE-S3). The `x-amz-server-side-encryption`\ + \ header is used when you `PUT` an object to S3 and want to specify the encryption\ + \ method. If you include this header in a `HEAD` request for an object that\ + \ uses these types of keys, you’ll get an HTTP `400 Bad Request` error. It's\ + \ because the encryption method can't be changed when you retrieve the object.\n\ + \nIf you encrypt an object by using server-side encryption with customer-provided\ + \ encryption keys (SSE-C) when you store the object in Amazon S3, then when\ + \ you retrieve the metadata from the object, you must use the following headers\ + \ to provide the encryption key for the server to be able to retrieve the\ + \ object's metadata. The headers are:\n\n * `x-amz-server-side-encryption-customer-algorithm`\n\ + \n * `x-amz-server-side-encryption-customer-key`\n\n * `x-amz-server-side-encryption-customer-key-MD5`\n\ + \nFor more information about SSE-C, see [Server-Side Encryption (Using Customer-Provided\ + \ Encryption Keys)](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory bucket** \\- For directory\ + \ buckets, there are only two supported options for server-side encryption:\ + \ SSE-S3 and SSE-KMS. SSE-C isn't supported. For more information, see [Protecting\ + \ data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\nVersioning\n\n \n\n * If the current\ + \ version of the object is a delete marker, Amazon S3 behaves as if the object\ + \ was deleted and includes `x-amz-delete-marker: true` in the response.\n\n\ + \ * If the specified version is a delete marker, the response returns a `405\ + \ Method Not Allowed` error and the `Last-Modified: timestamp` response header.\n\ + \n * **Directory buckets** \\- Delete marker is not supported for directory\ + \ buckets.\n\n * **Directory buckets** \\- S3 Versioning isn't enabled and\ + \ supported for directory buckets. For this API operation, only the `null`\ + \ value of the version ID is supported by directory buckets. You can only\ + \ specify `null` to the `versionId` query parameter in the request.\n\nHTTP\ + \ Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host header\ + \ syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nFor directory buckets, you must make requests for this API operation to\ + \ the Zonal endpoint. These endpoints support virtual-hosted-style requests\ + \ in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe following actions are related to `HeadObject`:\n\ + \n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \n * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: If-Modified-Since + in: header + required: false + schema: + $ref: '#/components/schemas/IfModifiedSince' + - name: If-None-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfNoneMatch' + - name: If-Unmodified-Since + in: header + required: false + schema: + $ref: '#/components/schemas/IfUnmodifiedSince' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: Range + in: header + required: false + schema: + $ref: '#/components/schemas/Range' + - name: response-cache-control + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseCacheControl' + - name: response-content-disposition + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentDisposition' + - name: response-content-encoding + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentEncoding' + - name: response-content-language + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentLanguage' + - name: response-content-type + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentType' + - name: response-expires + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseExpires' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: partNumber + in: query + required: false + schema: + $ref: '#/components/schemas/PartNumber' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-checksum-mode + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumMode' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/HeadObjectOutput' + '400': + content: + text/xml: + schema: + $ref: '#/components/schemas/NotFound' + description: |- + The specified content does not exist. + /{Bucket}/{Key+}?x-id=CopyObject: + put: + operationId: CopyObject + description: "Creates a copy of an object that is already stored in Amazon S3.\n\ + \nEnd of support notice: As of October 1, 2025, Amazon S3 has discontinued\ + \ support for Email Grantee Access Control Lists (ACLs). If you attempt to\ + \ use an Email Grantee ACL in a request after October 1, 2025, the request\ + \ will receive an `HTTP 405` (Method Not Allowed) error.\n\nThis change affects\ + \ the following Amazon Web Services Regions: US East (N. Virginia), US West\ + \ (N. California), US West (Oregon), Asia Pacific (Singapore), Asia Pacific\ + \ (Sydney), Asia Pacific (Tokyo), Europe (Ireland), and South America (São\ + \ Paulo).\n\nYou can store individual objects of up to 50 TB in Amazon S3.\ + \ You create a copy of your object up to 5 GB in size in a single atomic action\ + \ using this API. However, to copy an object greater than 5 GB, you must use\ + \ the multipart upload Upload Part - Copy (UploadPartCopy) API. For more information,\ + \ see [Copy Object Using the REST Multipart Upload API](https://docs.aws.amazon.com/AmazonS3/latest/dev/CopyingObjctsUsingRESTMPUapi.html).\n\ + \nYou can copy individual objects between general purpose buckets, between\ + \ directory buckets, and between general purpose buckets and directory buckets.\n\ + \n * Amazon S3 supports copy operations using Multi-Region Access Points\ + \ only as a destination when using the Multi-Region Access Point ARN. \n\n\ + \ * **Directory buckets** \\- For directory buckets, you must make requests\ + \ for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style\ + \ requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\n * VPC endpoints don't support cross-Region\ + \ requests (including copies). If you're using VPC endpoints, your source\ + \ and destination buckets should be in the same Amazon Web Services Region\ + \ as your VPC endpoint.\n\nBoth the Region that you want to copy the object\ + \ from and the Region that you want to copy the object to must be enabled\ + \ for your account. For more information about how to enable a Region for\ + \ your account, see [Enable or disable a Region for standalone accounts](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-regions.html#manage-acct-regions-enable-standalone)\ + \ in the _Amazon Web Services Account Management Guide_.\n\nAmazon S3 transfer\ + \ acceleration does not support cross-Region copies. If you request a cross-Region\ + \ copy using a transfer acceleration endpoint, you get a `400 Bad Request`\ + \ error. For more information, see [Transfer Acceleration](https://docs.aws.amazon.com/AmazonS3/latest/dev/transfer-acceleration.html).\n\ + \nAuthentication and authorization\n\n \n\nAll `CopyObject` requests must\ + \ be authenticated and signed by using IAM credentials (access key ID and\ + \ secret access key for the IAM identities). All headers with the `x-amz-`\ + \ prefix, including `x-amz-copy-source`, must be signed. For more information,\ + \ see [REST Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/RESTAuthentication.html).\n\ + \n**Directory buckets** \\- You must use the IAM credentials to authenticate\ + \ and authorize your access to the `CopyObject` API operation, instead of\ + \ using the temporary security credentials through the `CreateSession` API\ + \ operation.\n\nAmazon Web Services CLI or SDKs handles authentication and\ + \ authorization on your behalf.\n\nPermissions\n\n \n\nYou must have _read_\ + \ access to the source object and _write_ access to the destination bucket.\n\ + \n * **General purpose bucket permissions** \\- You must have permissions\ + \ in an IAM policy based on the source and destination bucket types in a `CopyObject`\ + \ operation.\n\n * If the source object is in a general purpose bucket,\ + \ you must have **`s3:GetObject` ** permission to read the source object that\ + \ is being copied. \n\n * If the destination bucket is a general purpose\ + \ bucket, you must have **`s3:PutObject` ** permission to write the object\ + \ copy to the destination bucket. \n\n * **Directory bucket permissions**\ + \ \\- You must have permissions in a bucket policy or an IAM identity-based\ + \ policy based on the source and destination bucket types in a `CopyObject`\ + \ operation.\n\n * If the source object that you want to copy is in a directory\ + \ bucket, you must have the **`s3express:CreateSession` ** permission in the\ + \ `Action` element of a policy to read the object. By default, the session\ + \ is in the `ReadWrite` mode. If you want to restrict the access, you can\ + \ explicitly set the `s3express:SessionMode` condition key to `ReadOnly` on\ + \ the copy source bucket.\n\n * If the copy destination is a directory\ + \ bucket, you must have the **`s3express:CreateSession` ** permission in the\ + \ `Action` element of a policy to write the object to the destination. The\ + \ `s3express:SessionMode` condition key can't be set to `ReadOnly` on the\ + \ copy destination bucket. \n\nIf the object is encrypted with SSE-KMS, you\ + \ must also have the `kms:GenerateDataKey` and `kms:Decrypt` permissions in\ + \ IAM identity-based policies and KMS key policies for the KMS key.\n\nFor\ + \ example policies, see [Example bucket policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html)\ + \ and [Amazon Web Services Identity and Access Management (IAM) identity-based\ + \ policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-identity-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\nResponse and special errors\n\n \n\n\ + When the request is an HTTP 1.1 request, the response is chunk encoded. When\ + \ the request is not an HTTP 1.1 request, the response would not contain the\ + \ `Content-Length`. You always need to read the entire response body to check\ + \ if the copy succeeds.\n\n * If the copy is successful, you receive a response\ + \ with information about the copied object.\n\n * A copy request might return\ + \ an error when Amazon S3 receives the copy request or while Amazon S3 is\ + \ copying the files. A `200 OK` response can contain either a success or an\ + \ error.\n\n * If the error occurs before the copy action starts, you receive\ + \ a standard Amazon S3 error.\n\n * If the error occurs during the copy\ + \ operation, the error response is embedded in the `200 OK` response. For\ + \ example, in a cross-region copy, you may encounter throttling and receive\ + \ a `200 OK` response. For more information, see [Resolve the Error 200 response\ + \ when copying objects to Amazon S3](https://repost.aws/knowledge-center/s3-resolve-200-internalerror).\ + \ The `200 OK` status code means the copy was accepted, but it doesn't mean\ + \ the copy is complete. Another example is when you disconnect from Amazon\ + \ S3 before the copy is complete, Amazon S3 might cancel the copy and you\ + \ may receive a `200 OK` response. You must stay connected to Amazon S3 until\ + \ the entire response is successfully received and processed.\n\nIf you call\ + \ this API operation directly, make sure to design your application to parse\ + \ the content of the response and handle it appropriately. If you use Amazon\ + \ Web Services SDKs, SDKs handle this condition. The SDKs detect the embedded\ + \ error and apply error handling per your configuration settings (including\ + \ automatically retrying the request as appropriate). If the condition persists,\ + \ the SDKs throw an exception (or, for the SDKs that don't use exceptions,\ + \ they return an error).\n\nCharge\n\n \n\nThe copy request charge is based\ + \ on the storage class and Region that you specify for the destination object.\ + \ The request can also result in a data retrieval charge for the source if\ + \ the source storage class bills for data retrieval. If the copy source is\ + \ in a different region, the data transfer is billed to the copy source account.\ + \ For pricing information, see [Amazon S3 pricing](http://aws.amazon.com/s3/pricing/).\n\ + \nHTTP Host header syntax\n\n \n\n * **Directory buckets** \\- The HTTP\ + \ Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \n * **Amazon S3 on Outposts** \\- When you use this action with S3 on Outposts\ + \ through the REST API, you must direct requests to the S3 on Outposts hostname.\ + \ The S3 on Outposts hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`.\ + \ The hostname isn't required when you use the Amazon Web Services CLI or\ + \ SDKs.\n\nThe following operations are related to `CopyObject`:\n\n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-acl + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectCannedACL' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Cache-Control + in: header + required: false + schema: + $ref: '#/components/schemas/CacheControl' + - name: x-amz-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: Content-Disposition + in: header + required: false + schema: + $ref: '#/components/schemas/ContentDisposition' + - name: Content-Encoding + in: header + required: false + schema: + $ref: '#/components/schemas/ContentEncoding' + - name: Content-Language + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLanguage' + - name: Content-Type + in: header + required: false + schema: + $ref: '#/components/schemas/ContentType' + - name: x-amz-copy-source + in: header + required: true + schema: + $ref: '#/components/schemas/CopySource' + - name: x-amz-copy-source-if-match + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfMatch' + - name: x-amz-copy-source-if-modified-since + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfModifiedSince' + - name: x-amz-copy-source-if-none-match + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfNoneMatch' + - name: x-amz-copy-source-if-unmodified-since + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfUnmodifiedSince' + - name: Expires + in: header + required: false + schema: + $ref: '#/components/schemas/Expires' + - name: x-amz-grant-full-control + in: header + required: false + schema: + $ref: '#/components/schemas/GrantFullControl' + - name: x-amz-grant-read + in: header + required: false + schema: + $ref: '#/components/schemas/GrantRead' + - name: x-amz-grant-read-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantReadACP' + - name: x-amz-grant-write-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWriteACP' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: If-None-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfNoneMatch' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-metadata-directive + in: header + required: false + schema: + $ref: '#/components/schemas/MetadataDirective' + - name: x-amz-tagging-directive + in: header + required: false + schema: + $ref: '#/components/schemas/TaggingDirective' + - name: x-amz-server-side-encryption + in: header + required: false + schema: + $ref: '#/components/schemas/ServerSideEncryption' + - name: x-amz-storage-class + in: header + required: false + schema: + $ref: '#/components/schemas/StorageClass' + - name: x-amz-website-redirect-location + in: header + required: false + schema: + $ref: '#/components/schemas/WebsiteRedirectLocation' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-server-side-encryption-aws-kms-key-id + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSKeyId' + - name: x-amz-server-side-encryption-context + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + - name: x-amz-server-side-encryption-bucket-key-enabled + in: header + required: false + schema: + $ref: '#/components/schemas/BucketKeyEnabled' + - name: x-amz-copy-source-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceSSECustomerAlgorithm' + - name: x-amz-copy-source-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceSSECustomerKey' + - name: x-amz-copy-source-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceSSECustomerKeyMD5' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-tagging + in: header + required: false + schema: + $ref: '#/components/schemas/TaggingHeader' + - name: x-amz-object-lock-mode + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockMode' + - name: x-amz-object-lock-retain-until-date + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + - name: x-amz-object-lock-legal-hold + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-source-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CopyObjectOutput' + '403': + content: + text/xml: + schema: + $ref: '#/components/schemas/ObjectNotInActiveTierError' + description: |- + The source object of the COPY action is not in the active tier and is only stored in Amazon S3 Glacier. + /?max-keys=1000: + servers: + - url: 'https://{Bucket}.s3-{region}.amazonaws.com' + variables: + Bucket: + default: stackql-trial-bucket-02 + region: + default: us-east-1 + get: + description: "This operation is not supported for directory buckets.\n\nReturns\ + \ some or all (up to 1,000) of the objects in a bucket. You can use the request\ + \ parameters as selection criteria to return a subset of the objects in a\ + \ bucket. A 200 OK response can contain valid or invalid XML. Be sure to design\ + \ your application to parse the contents of the response and handle it appropriately.\n\ + \nThis action has been revised. We recommend that you use the newer version,\ + \ [ListObjectsV2](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjectsV2.html),\ + \ when developing applications. For backward compatibility, Amazon S3 continues\ + \ to support `ListObjects`.\n\nThe following operations are related to `ListObjects`:\n\ + \n * [ListObjectsV2](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjectsV2.html)\n\ + \n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \n * [ListBuckets](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBuckets.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + operationId: ListObjects + parameters: + - in: header + name: x-amz-content-sha256 + required: false + schema: + default: e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855 + type: string + - in: query + name: delimiter + required: false + schema: + $ref: '#/components/schemas/Delimiter' + - in: query + name: encoding-type + required: false + schema: + $ref: '#/components/schemas/EncodingType' + - in: query + name: marker + required: false + schema: + $ref: '#/components/schemas/Marker' + - in: query + name: max_keys + required: false + schema: + type: integer + default: 1000 + - in: query + name: prefix + required: false + schema: + $ref: '#/components/schemas/Prefix' + - in: header + name: x-amz-request-payer + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - in: header + name: x-amz-expected-bucket-owner + required: false + schema: + $ref: '#/components/schemas/AccountId' + - in: header + name: x-amz-optional-object-attributes + required: false + schema: + $ref: '#/components/schemas/OptionalObjectAttributesList' + responses: + '200': + content: + text/xml: + schema: + $ref: '#/components/schemas/ListObjectsOutput' + description: Success + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchBucket' + description: The specified bucket does not exist. + /{Bucket}: + put: + operationId: CreateBucket + description: "This action creates an Amazon S3 bucket. To create an Amazon S3\ + \ on Outposts bucket, see [ `CreateBucket` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_CreateBucket.html).\n\ + \nCreates a new S3 bucket. To create a bucket, you must set up Amazon S3 and\ + \ have a valid Amazon Web Services Access Key ID to authenticate requests.\ + \ Anonymous requests are never allowed to create buckets. By creating the\ + \ bucket, you become the bucket owner.\n\nThere are two types of buckets:\ + \ general purpose buckets and directory buckets. For more information about\ + \ these bucket types, see [Creating, configuring, and working with Amazon\ + \ S3 buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/creating-buckets-s3.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **General purpose buckets** \\- If\ + \ you send your `CreateBucket` request to the `s3.amazonaws.com` global endpoint,\ + \ the request goes to the `us-east-1` Region. So the signature calculations\ + \ in Signature Version 4 must use `us-east-1` as the Region, even if the location\ + \ constraint in the request specifies another Region where the bucket is to\ + \ be created. If you create a bucket in a Region other than US East (N. Virginia),\ + \ your application must be able to handle 307 redirect. For more information,\ + \ see [Virtual hosting of buckets](https://docs.aws.amazon.com/AmazonS3/latest/dev/VirtualHosting.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Regional endpoint.\ + \ These endpoints support path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- In addition to the `s3:CreateBucket` permission,\ + \ the following permissions are required in a policy when your `CreateBucket`\ + \ request includes specific headers: \n\n * **Access control lists (ACLs)**\ + \ \\- In your `CreateBucket` request, if you specify an access control list\ + \ (ACL) and set it to `public-read`, `public-read-write`, `authenticated-read`,\ + \ or if you explicitly specify any other custom ACLs, both `s3:CreateBucket`\ + \ and `s3:PutBucketAcl` permissions are required. In your `CreateBucket` request,\ + \ if you set the ACL to `private`, or if you don't specify any ACLs, only\ + \ the `s3:CreateBucket` permission is required. \n\n * **Object Lock**\ + \ \\- In your `CreateBucket` request, if you set `x-amz-bucket-object-lock-enabled`\ + \ to true, the `s3:PutBucketObjectLockConfiguration` and `s3:PutBucketVersioning`\ + \ permissions are required.\n\n * **S3 Object Ownership** \\- If your `CreateBucket`\ + \ request includes the `x-amz-object-ownership` header, then the `s3:PutBucketOwnershipControls`\ + \ permission is required.\n\nTo set an ACL on a bucket as part of a `CreateBucket`\ + \ request, you must explicitly set S3 Object Ownership for the bucket to a\ + \ different value than the default, `BucketOwnerEnforced`. Additionally, if\ + \ your desired bucket ACL grants public access, you must first create the\ + \ bucket (without the bucket ACL) and then explicitly disable Block Public\ + \ Access on the bucket before using `PutBucketAcl` to set the ACL. If you\ + \ try to create a bucket with a public ACL, the request will fail.\n\nFor\ + \ the majority of modern use cases in S3, we recommend that you keep all Block\ + \ Public Access settings enabled and keep ACLs disabled. If you would like\ + \ to share data with users outside of your account, you can use bucket policies\ + \ as needed. For more information, see [Controlling ownership of objects and\ + \ disabling ACLs for your bucket ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html)\ + \ and [Blocking public access to your Amazon S3 storage ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-control-block-public-access.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **S3 Block Public Access** \\- If\ + \ your specific use case requires granting public access to your S3 resources,\ + \ you can disable Block Public Access. Specifically, you can create a new\ + \ bucket with Block Public Access enabled, then separately call the [ `DeletePublicAccessBlock`\ + \ ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeletePublicAccessBlock.html)\ + \ API. To use this operation, you must have the `s3:PutBucketPublicAccessBlock`\ + \ permission. For more information about S3 Block Public Access, see [Blocking\ + \ public access to your Amazon S3 storage ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-control-block-public-access.html)\ + \ in the _Amazon S3 User Guide_. \n\n * **Directory bucket permissions**\ + \ \\- You must have the `s3express:CreateBucket` permission in an IAM identity-based\ + \ policy instead of a bucket policy. Cross-account access to this API operation\ + \ isn't supported. This operation can only be performed by the Amazon Web\ + \ Services account that owns the resource. For more information about directory\ + \ bucket policies and permissions, see [Amazon Web Services Identity and Access\ + \ Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe permissions for ACLs, Object Lock,\ + \ S3 Object Ownership, and S3 Block Public Access are not supported for directory\ + \ buckets. For directory buckets, all Block Public Access settings are enabled\ + \ at the bucket level and S3 Object Ownership is set to Bucket owner enforced\ + \ (ACLs disabled). These settings can't be modified.\n\nFor more information\ + \ about permissions for creating and working with directory buckets, see [Directory\ + \ buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-overview.html)\ + \ in the _Amazon S3 User Guide_. For more information about supported S3 features\ + \ for directory buckets, see [Features of S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-one-zone.html#s3-express-features)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `CreateBucket`:\n\n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \n * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-acl + in: header + required: false + schema: + $ref: '#/components/schemas/BucketCannedACL' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-grant-full-control + in: header + required: false + schema: + $ref: '#/components/schemas/GrantFullControl' + - name: x-amz-grant-read + in: header + required: false + schema: + $ref: '#/components/schemas/GrantRead' + - name: x-amz-grant-read-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantReadACP' + - name: x-amz-grant-write + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWrite' + - name: x-amz-grant-write-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWriteACP' + - name: x-amz-bucket-object-lock-enabled + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockEnabledForBucket' + - name: x-amz-object-ownership + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectOwnership' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/CreateBucketConfiguration' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateBucketOutput' + '409': + content: + text/xml: + schema: + $ref: '#/components/schemas/BucketAlreadyOwnedByYou' + description: |- + The bucket you tried to create already exists, and you own it. Amazon S3 returns this error in all Amazon Web Services Regions except in the North Virginia Region. For legacy compatibility, if you re-create an existing bucket that you already own in the North Virginia Region, Amazon S3 returns 200 OK and resets the bucket access control lists (ACLs). + delete: + operationId: DeleteBucket + description: "Deletes the S3 bucket. All objects (including all object versions\ + \ and delete markers) in the bucket must be deleted before the bucket itself\ + \ can be deleted.\n\n * **Directory buckets** \\- If multipart uploads in\ + \ a directory bucket are in progress, you can't delete the bucket until all\ + \ the in-progress multipart uploads are aborted or completed.\n\n * **Directory\ + \ buckets** \\- For directory buckets, you must make requests for this API\ + \ operation to the Regional endpoint. These endpoints support path-style requests\ + \ in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- You must have the `s3:DeleteBucket` permission\ + \ on the specified bucket in a policy.\n\n * **Directory bucket permissions**\ + \ \\- You must have the `s3express:DeleteBucket` permission in an IAM identity-based\ + \ policy instead of a bucket policy. Cross-account access to this API operation\ + \ isn't supported. This operation can only be performed by the Amazon Web\ + \ Services account that owns the resource. For more information about directory\ + \ bucket policies and permissions, see [Amazon Web Services Identity and Access\ + \ Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `DeleteBucket`:\n\n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \n * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + head: + operationId: HeadBucket + description: "You can use this operation to determine if a bucket exists and\ + \ if you have permission to access it. The action returns a `200 OK` HTTP\ + \ status code if the bucket exists and you have permission to access it. You\ + \ can make a `HeadBucket` call on any bucket name to any Region in the partition,\ + \ and regardless of the permissions on the bucket, you will receive a response\ + \ header with the correct bucket location so that you can then make a proper,\ + \ signed request to the appropriate Regional endpoint.\n\nIf the bucket doesn't\ + \ exist or you don't have permission to access it, the `HEAD` request returns\ + \ a generic `400 Bad Request`, `403 Forbidden`, or `404 Not Found` HTTP status\ + \ code. A message body isn't included, so you can't determine the exception\ + \ beyond these HTTP response codes.\n\nAuthentication and authorization\n\n\ + \ \n\n**General purpose buckets** \\- Request to public buckets that grant\ + \ the s3:ListBucket permission publicly do not need to be signed. All other\ + \ `HeadBucket` requests must be authenticated and signed by using IAM credentials\ + \ (access key ID and secret access key for the IAM identities). All headers\ + \ with the `x-amz-` prefix, including `x-amz-copy-source`, must be signed.\ + \ For more information, see [REST Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/RESTAuthentication.html).\n\ + \n**Directory buckets** \\- You must use IAM credentials to authenticate and\ + \ authorize your access to the `HeadBucket` API operation, instead of using\ + \ the temporary security credentials through the `CreateSession` API operation.\n\ + \nAmazon Web Services CLI or SDKs handles authentication and authorization\ + \ on your behalf.\n\nPermissions\n\n \n\n * **General purpose bucket permissions**\ + \ \\- To use this operation, you must have permissions to perform the `s3:ListBucket`\ + \ action. The bucket owner has this permission by default and can grant this\ + \ permission to others. For more information about permissions, see [Managing\ + \ access permissions to your Amazon S3 resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - You must have the **`s3express:CreateSession` ** permission in the `Action`\ + \ element of a policy. By default, the session is in the `ReadWrite` mode.\ + \ If you want to restrict the access, you can explicitly set the `s3express:SessionMode`\ + \ condition key to `ReadOnly` on the bucket.\n\nFor more information about\ + \ example bucket policies, see [Example bucket policies for S3 Express One\ + \ Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html)\ + \ and [Amazon Web Services Identity and Access Management (IAM) identity-based\ + \ policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-identity-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nYou must make requests for this API operation to the Zonal endpoint. These\ + \ endpoints support virtual-hosted-style requests in the format `https://_bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\ + \ Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou must URL encode any signed header\ + \ values that contain spaces. For example, if your header value is `my file.txt`,\ + \ containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/HeadBucketOutput' + '400': + content: + text/xml: + schema: + $ref: '#/components/schemas/NotFound' + description: |- + The specified content does not exist. + get: + operationId: ListObjects + description: |- + This operation is not supported for directory buckets. + + Returns some or all (up to 1,000) of the objects in a bucket. You can use the request parameters as selection criteria to return a subset of the objects in a bucket. A 200 OK response can contain valid or invalid XML. Be sure to design your application to parse the contents of the response and handle it appropriately. + + This action has been revised. We recommend that you use the newer version, [ListObjectsV2](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjectsV2.html), when developing applications. For backward compatibility, Amazon S3 continues to support `ListObjects`. + + The following operations are related to `ListObjects`: + + * [ListObjectsV2](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjectsV2.html) + + * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) + + * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html) + + * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) + + * [ListBuckets](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBuckets.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-content-sha256 + in: header + required: false + schema: + type: string + default: e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855 + - name: delimiter + in: query + required: false + schema: + $ref: '#/components/schemas/Delimiter' + - name: encoding-type + in: query + required: false + schema: + $ref: '#/components/schemas/EncodingType' + - name: marker + in: query + required: false + schema: + $ref: '#/components/schemas/Marker' + - name: max-keys + in: query + required: false + schema: + $ref: '#/components/schemas/MaxKeys' + - name: prefix + in: query + required: false + schema: + $ref: '#/components/schemas/Prefix' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-optional-object-attributes + in: header + required: false + schema: + $ref: '#/components/schemas/OptionalObjectAttributesList' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListObjectsOutput' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchBucket' + description: |- + The specified bucket does not exist. + /{Bucket}?metadataConfiguration: + post: + operationId: CreateBucketMetadataConfiguration + description: "Creates an S3 Metadata V2 metadata configuration for a general\ + \ purpose bucket. For more information, see [Accelerating data discovery with\ + \ S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nTo use this operation,\ + \ you must have the following permissions. For more information, see [Setting\ + \ up permissions for configuring metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you want to encrypt your metadata tables\ + \ with server-side encryption with Key Management Service (KMS) keys (SSE-KMS),\ + \ you need additional permissions in your KMS key policy. For more information,\ + \ see [ Setting up permissions for configuring metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you also want to integrate your table\ + \ bucket with Amazon Web Services analytics services so that you can query\ + \ your metadata table, you need additional permissions. For more information,\ + \ see [ Integrating Amazon S3 Tables with Amazon Web Services analytics services](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-integrating-aws.html)\ + \ in the _Amazon S3 User Guide_.\n\nTo query your metadata tables, you need\ + \ additional permissions. For more information, see [ Permissions for querying\ + \ metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-bucket-query-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\n * `s3:CreateBucketMetadataTableConfiguration`\n\ + \nThe IAM policy action name is the same for the V1 and V2 API operations.\n\ + \n * `s3tables:CreateTableBucket`\n\n * `s3tables:CreateNamespace`\n\n \ + \ * `s3tables:GetTable`\n\n * `s3tables:CreateTable`\n\n * `s3tables:PutTablePolicy`\n\ + \n * `s3tables:PutTableEncryption`\n\n * `kms:DescribeKey`\n\nThe following\ + \ operations are related to `CreateBucketMetadataConfiguration`:\n\n * [DeleteBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataConfiguration.html)\n\ + \n * [GetBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataConfiguration.html)\n\ + \n * [UpdateBucketMetadataInventoryTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataInventoryTableConfiguration.html)\n\ + \n * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/MetadataConfiguration' + responses: + '200': + description: Success + delete: + operationId: DeleteBucketMetadataConfiguration + description: "Deletes an S3 Metadata configuration from a general purpose bucket.\ + \ For more information, see [Accelerating data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou can use the V2 `DeleteBucketMetadataConfiguration`\ + \ API operation with V1 or V2 metadata configurations. However, if you try\ + \ to use the V1 `DeleteBucketMetadataTableConfiguration` API operation with\ + \ V2 configurations, you will receive an HTTP `405 Method Not Allowed` error.\n\ + \nPermissions\n\n \n\nTo use this operation, you must have the `s3:DeleteBucketMetadataTableConfiguration`\ + \ permission. For more information, see [Setting up permissions for configuring\ + \ metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe IAM policy action name is the same\ + \ for the V1 and V2 API operations.\n\nThe following operations are related\ + \ to `DeleteBucketMetadataConfiguration`:\n\n * [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\n\ + \n * [GetBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataConfiguration.html)\n\ + \n * [UpdateBucketMetadataInventoryTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataInventoryTableConfiguration.html)\n\ + \n * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketMetadataConfiguration + description: "Retrieves the S3 Metadata configuration for a general purpose\ + \ bucket. For more information, see [Accelerating data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou can use the V2 `GetBucketMetadataConfiguration`\ + \ API operation with V1 or V2 metadata configurations. However, if you try\ + \ to use the V1 `GetBucketMetadataTableConfiguration` API operation with V2\ + \ configurations, you will receive an HTTP `405 Method Not Allowed` error.\n\ + \nPermissions\n\n \n\nTo use this operation, you must have the `s3:GetBucketMetadataTableConfiguration`\ + \ permission. For more information, see [Setting up permissions for configuring\ + \ metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe IAM policy action name is the same\ + \ for the V1 and V2 API operations.\n\nThe following operations are related\ + \ to `GetBucketMetadataConfiguration`:\n\n * [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\n\ + \n * [DeleteBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataConfiguration.html)\n\ + \n * [UpdateBucketMetadataInventoryTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataInventoryTableConfiguration.html)\n\ + \n * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketMetadataConfigurationOutput' + /{Bucket}?metadataTable: + post: + operationId: CreateBucketMetadataTableConfiguration + description: "We recommend that you create your S3 Metadata configurations by\ + \ using the V2 [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\ + \ API operation. We no longer recommend using the V1 `CreateBucketMetadataTableConfiguration`\ + \ API operation.\n\nIf you created your S3 Metadata configuration before July\ + \ 15, 2025, we recommend that you delete and re-create your configuration\ + \ by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\ + \ so that you can expire journal table records and create a live inventory\ + \ table.\n\nCreates a V1 S3 Metadata configuration for a general purpose bucket.\ + \ For more information, see [Accelerating data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nTo use this operation,\ + \ you must have the following permissions. For more information, see [Setting\ + \ up permissions for configuring metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you want to encrypt your metadata tables\ + \ with server-side encryption with Key Management Service (KMS) keys (SSE-KMS),\ + \ you need additional permissions. For more information, see [ Setting up\ + \ permissions for configuring metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you also want to integrate your table\ + \ bucket with Amazon Web Services analytics services so that you can query\ + \ your metadata table, you need additional permissions. For more information,\ + \ see [ Integrating Amazon S3 Tables with Amazon Web Services analytics services](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-integrating-aws.html)\ + \ in the _Amazon S3 User Guide_.\n\n * `s3:CreateBucketMetadataTableConfiguration`\n\ + \n * `s3tables:CreateNamespace`\n\n * `s3tables:GetTable`\n\n * `s3tables:CreateTable`\n\ + \n * `s3tables:PutTablePolicy`\n\nThe following operations are related to\ + \ `CreateBucketMetadataTableConfiguration`:\n\n * [DeleteBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataTableConfiguration.html)\n\ + \n * [GetBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/MetadataTableConfiguration' + responses: + '200': + description: Success + delete: + operationId: DeleteBucketMetadataTableConfiguration + description: "We recommend that you delete your S3 Metadata configurations by\ + \ using the V2 [DeleteBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataTableConfiguration.html)\ + \ API operation. We no longer recommend using the V1 `DeleteBucketMetadataTableConfiguration`\ + \ API operation.\n\nIf you created your S3 Metadata configuration before July\ + \ 15, 2025, we recommend that you delete and re-create your configuration\ + \ by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\ + \ so that you can expire journal table records and create a live inventory\ + \ table.\n\nDeletes a V1 S3 Metadata configuration from a general purpose\ + \ bucket. For more information, see [Accelerating data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou can use the V2 `DeleteBucketMetadataConfiguration`\ + \ API operation with V1 or V2 metadata table configurations. However, if you\ + \ try to use the V1 `DeleteBucketMetadataTableConfiguration` API operation\ + \ with V2 configurations, you will receive an HTTP `405 Method Not Allowed`\ + \ error.\n\nMake sure that you update your processes to use the new V2 API\ + \ operations (`CreateBucketMetadataConfiguration`, `GetBucketMetadataConfiguration`,\ + \ and `DeleteBucketMetadataConfiguration`) instead of the V1 API operations.\n\ + \nPermissions\n\n \n\nTo use this operation, you must have the `s3:DeleteBucketMetadataTableConfiguration`\ + \ permission. For more information, see [Setting up permissions for configuring\ + \ metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe following operations are related to\ + \ `DeleteBucketMetadataTableConfiguration`:\n\n * [CreateBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataTableConfiguration.html)\n\ + \n * [GetBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketMetadataTableConfiguration + description: "We recommend that you retrieve your S3 Metadata configurations\ + \ by using the V2 [GetBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataTableConfiguration.html)\ + \ API operation. We no longer recommend using the V1 `GetBucketMetadataTableConfiguration`\ + \ API operation.\n\nIf you created your S3 Metadata configuration before July\ + \ 15, 2025, we recommend that you delete and re-create your configuration\ + \ by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\ + \ so that you can expire journal table records and create a live inventory\ + \ table.\n\nRetrieves the V1 S3 Metadata configuration for a general purpose\ + \ bucket. For more information, see [Accelerating data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou can use the V2 `GetBucketMetadataConfiguration`\ + \ API operation with V1 or V2 metadata table configurations. However, if you\ + \ try to use the V1 `GetBucketMetadataTableConfiguration` API operation with\ + \ V2 configurations, you will receive an HTTP `405 Method Not Allowed` error.\n\ + \nMake sure that you update your processes to use the new V2 API operations\ + \ (`CreateBucketMetadataConfiguration`, `GetBucketMetadataConfiguration`,\ + \ and `DeleteBucketMetadataConfiguration`) instead of the V1 API operations.\n\ + \nPermissions\n\n \n\nTo use this operation, you must have the `s3:GetBucketMetadataTableConfiguration`\ + \ permission. For more information, see [Setting up permissions for configuring\ + \ metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe following operations are related to\ + \ `GetBucketMetadataTableConfiguration`:\n\n * [CreateBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataTableConfiguration.html)\n\ + \n * [DeleteBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketMetadataTableConfigurationOutput' + /{Bucket}/{Key+}?uploads: + post: + operationId: CreateMultipartUpload + description: "End of support notice: As of October 1, 2025, Amazon S3 has discontinued\ + \ support for Email Grantee Access Control Lists (ACLs). If you attempt to\ + \ use an Email Grantee ACL in a request after October 1, 2025, the request\ + \ will receive an `HTTP 405` (Method Not Allowed) error.\n\nThis change affects\ + \ the following Amazon Web Services Regions: US East (N. Virginia), US West\ + \ (N. California), US West (Oregon), Asia Pacific (Singapore), Asia Pacific\ + \ (Sydney), Asia Pacific (Tokyo), Europe (Ireland), and South America (São\ + \ Paulo).\n\nThis action initiates a multipart upload and returns an upload\ + \ ID. This upload ID is used to associate all of the parts in the specific\ + \ multipart upload. You specify this upload ID in each of your subsequent\ + \ upload part requests (see [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)).\ + \ You also include this upload ID in the final request to either complete\ + \ or abort the multipart upload request. For more information about multipart\ + \ uploads, see [Multipart Upload Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html)\ + \ in the _Amazon S3 User Guide_.\n\nAfter you initiate a multipart upload\ + \ and upload one or more parts, to stop being charged for storing the uploaded\ + \ parts, you must either complete or abort the multipart upload. Amazon S3\ + \ frees up the space used to store the parts and stops charging you for storing\ + \ them only after you either complete or abort a multipart upload.\n\nIf you\ + \ have configured a lifecycle rule to abort incomplete multipart uploads,\ + \ the created multipart upload must be completed within the number of days\ + \ specified in the bucket lifecycle configuration. Otherwise, the incomplete\ + \ multipart upload becomes eligible for an abort action and Amazon S3 aborts\ + \ the multipart upload. For more information, see [Aborting Incomplete Multipart\ + \ Uploads Using a Bucket Lifecycle Configuration](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html#mpu-abort-incomplete-mpu-lifecycle-config).\n\ + \n * **Directory buckets** \\- S3 Lifecycle is not supported by directory\ + \ buckets.\n\n * **Directory buckets** \\- For directory buckets, you must\ + \ make requests for this API operation to the Zonal endpoint. These endpoints\ + \ support virtual-hosted-style requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nRequest signing\n\n \n\nFor request\ + \ signing, multipart upload is just a series of regular requests. You initiate\ + \ a multipart upload, send one or more requests to upload parts, and then\ + \ complete the multipart upload process. You sign each request individually.\ + \ There is nothing special about signing multipart upload requests. For more\ + \ information about signing, see [Authenticating Requests (Amazon Web Services\ + \ Signature Version 4)](https://docs.aws.amazon.com/AmazonS3/latest/API/sig-v4-authenticating-requests.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- To perform a multipart upload with encryption using\ + \ an Key Management Service (KMS) KMS key, the requester must have permission\ + \ to the `kms:Decrypt` and `kms:GenerateDataKey` actions on the key. The requester\ + \ must also have permissions for the `kms:GenerateDataKey` action for the\ + \ `CreateMultipartUpload` API. Then, the requester needs permissions for the\ + \ `kms:Decrypt` action on the `UploadPart` and `UploadPartCopy` APIs. These\ + \ permissions are required because Amazon S3 must decrypt and read data from\ + \ the encrypted file parts before it completes the multipart upload. For more\ + \ information, see [Multipart upload API and permissions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/mpuoverview.html#mpuAndPermissions)\ + \ and [Protecting data using server-side encryption with Amazon Web Services\ + \ KMS](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nEncryption\n\n \n\n * **General purpose buckets** \\- Server-side encryption\ + \ is for data encryption at rest. Amazon S3 encrypts your data as it writes\ + \ it to disks in its data centers and decrypts it when you access it. Amazon\ + \ S3 automatically encrypts all new objects that are uploaded to an S3 bucket.\ + \ When doing a multipart upload, if you don't specify encryption information\ + \ in your request, the encryption setting of the uploaded parts is set to\ + \ the default encryption configuration of the destination bucket. By default,\ + \ all buckets have a base level of encryption configuration that uses server-side\ + \ encryption with Amazon S3 managed keys (SSE-S3). If the destination bucket\ + \ has a default encryption configuration that uses server-side encryption\ + \ with an Key Management Service (KMS) key (SSE-KMS), or a customer-provided\ + \ encryption key (SSE-C), Amazon S3 uses the corresponding KMS key, or a customer-provided\ + \ key to encrypt the uploaded parts. When you perform a CreateMultipartUpload\ + \ operation, if you want to use a different type of encryption setting for\ + \ the uploaded parts, you can request that Amazon S3 encrypts the object with\ + \ a different encryption key (such as an Amazon S3 managed key, a KMS key,\ + \ or a customer-provided key). When the encryption setting in your request\ + \ is different from the default encryption configuration of the destination\ + \ bucket, the encryption setting in your request takes precedence. If you\ + \ choose to provide your own encryption key, the request headers you provide\ + \ in [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)\ + \ requests must match the headers you used in the `CreateMultipartUpload`\ + \ request.\n\n * Use KMS keys (SSE-KMS) that include the Amazon Web Services\ + \ managed key (`aws/s3`) and KMS customer managed keys stored in Key Management\ + \ Service (KMS) – If you want Amazon Web Services to manage the keys used\ + \ to encrypt data, specify the following headers in the request.\n\n \ + \ * `x-amz-server-side-encryption`\n\n * `x-amz-server-side-encryption-aws-kms-key-id`\n\ + \n * `x-amz-server-side-encryption-context`\n\n * If you specify\ + \ `x-amz-server-side-encryption:aws:kms`, but don't provide `x-amz-server-side-encryption-aws-kms-key-id`,\ + \ Amazon S3 uses the Amazon Web Services managed key (`aws/s3` key) in KMS\ + \ to protect the data.\n\n * To perform a multipart upload with encryption\ + \ by using an Amazon Web Services KMS key, the requester must have permission\ + \ to the `kms:Decrypt` and `kms:GenerateDataKey*` actions on the key. These\ + \ permissions are required because Amazon S3 must decrypt and read data from\ + \ the encrypted file parts before it completes the multipart upload. For more\ + \ information, see [Multipart upload API and permissions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/mpuoverview.html#mpuAndPermissions)\ + \ and [Protecting data using server-side encryption with Amazon Web Services\ + \ KMS](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * If your Identity and Access Management\ + \ (IAM) user or role is in the same Amazon Web Services account as the KMS\ + \ key, then you must have these permissions on the key policy. If your IAM\ + \ user or role is in a different account from the key, then you must have\ + \ the permissions on both the key policy and your IAM user or role.\n\n \ + \ * All `GET` and `PUT` requests for an object protected by KMS fail if\ + \ you don't make them by using Secure Sockets Layer (SSL), Transport Layer\ + \ Security (TLS), or Signature Version 4. For information about configuring\ + \ any of the officially supported Amazon Web Services SDKs and Amazon Web\ + \ Services CLI, see [Specifying the Signature Version in Request Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingAWSSDK.html#specify-signature-version)\ + \ in the _Amazon S3 User Guide_.\n\nFor more information about server-side\ + \ encryption with KMS keys (SSE-KMS), see [Protecting Data Using Server-Side\ + \ Encryption with KMS keys](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * Use customer-provided encryption\ + \ keys (SSE-C) – If you want to manage your own encryption keys, provide all\ + \ the following headers in the request.\n\n * `x-amz-server-side-encryption-customer-algorithm`\n\ + \n * `x-amz-server-side-encryption-customer-key`\n\n * `x-amz-server-side-encryption-customer-key-MD5`\n\ + \nFor more information about server-side encryption with customer-provided\ + \ encryption keys (SSE-C), see [ Protecting data using server-side encryption\ + \ with customer-provided encryption keys (SSE-C)](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- For directory\ + \ buckets, there are only two supported options for server-side encryption:\ + \ server-side encryption with Amazon S3 managed keys (SSE-S3) (`AES256`) and\ + \ server-side encryption with KMS keys (SSE-KMS) (`aws:kms`). We recommend\ + \ that the bucket's default encryption uses the desired encryption configuration\ + \ and you don't override the bucket default encryption in your `CreateSession`\ + \ requests or `PUT` object requests. Then, new objects are automatically encrypted\ + \ with the desired encryption settings. For more information, see [Protecting\ + \ data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_. For more information about the encryption\ + \ overriding behaviors in directory buckets, see [Specifying server-side encryption\ + \ with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\n\ + \nIn the Zonal endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html))\ + \ using the REST API, the encryption request headers must match the encryption\ + \ settings that are specified in the `CreateSession` request. You can't override\ + \ the values of the encryption settings (`x-amz-server-side-encryption`, `x-amz-server-side-encryption-aws-kms-key-id`,\ + \ `x-amz-server-side-encryption-context`, and `x-amz-server-side-encryption-bucket-key-enabled`)\ + \ that are specified in the `CreateSession` request. You don't need to explicitly\ + \ specify these encryption settings values in Zonal endpoint API calls, and\ + \ Amazon S3 will use the encryption settings values from the `CreateSession`\ + \ request to protect new objects in the directory bucket.\n\nWhen you use\ + \ the CLI or the Amazon Web Services SDKs, for `CreateSession`, the session\ + \ token refreshes automatically to avoid service interruptions when a session\ + \ expires. The CLI or the Amazon Web Services SDKs use the bucket's default\ + \ encryption configuration for the `CreateSession` request. It's not supported\ + \ to override the encryption settings values in the `CreateSession` request.\ + \ So in the Zonal endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)),\ + \ the encryption request headers must match the default encryption configuration\ + \ of the directory bucket.\n\nFor directory buckets, when you perform a `CreateMultipartUpload`\ + \ operation and an `UploadPartCopy` operation, the request headers you provide\ + \ in the `CreateMultipartUpload` request must match the default encryption\ + \ configuration of the destination bucket.\n\nHTTP Host header syntax\n\n\ + \ \n\n**Directory buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `CreateMultipartUpload`:\n\n *\ + \ [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-acl + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectCannedACL' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Cache-Control + in: header + required: false + schema: + $ref: '#/components/schemas/CacheControl' + - name: Content-Disposition + in: header + required: false + schema: + $ref: '#/components/schemas/ContentDisposition' + - name: Content-Encoding + in: header + required: false + schema: + $ref: '#/components/schemas/ContentEncoding' + - name: Content-Language + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLanguage' + - name: Content-Type + in: header + required: false + schema: + $ref: '#/components/schemas/ContentType' + - name: Expires + in: header + required: false + schema: + $ref: '#/components/schemas/Expires' + - name: x-amz-grant-full-control + in: header + required: false + schema: + $ref: '#/components/schemas/GrantFullControl' + - name: x-amz-grant-read + in: header + required: false + schema: + $ref: '#/components/schemas/GrantRead' + - name: x-amz-grant-read-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantReadACP' + - name: x-amz-grant-write-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWriteACP' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-server-side-encryption + in: header + required: false + schema: + $ref: '#/components/schemas/ServerSideEncryption' + - name: x-amz-storage-class + in: header + required: false + schema: + $ref: '#/components/schemas/StorageClass' + - name: x-amz-website-redirect-location + in: header + required: false + schema: + $ref: '#/components/schemas/WebsiteRedirectLocation' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-server-side-encryption-aws-kms-key-id + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSKeyId' + - name: x-amz-server-side-encryption-context + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + - name: x-amz-server-side-encryption-bucket-key-enabled + in: header + required: false + schema: + $ref: '#/components/schemas/BucketKeyEnabled' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-tagging + in: header + required: false + schema: + $ref: '#/components/schemas/TaggingHeader' + - name: x-amz-object-lock-mode + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockMode' + - name: x-amz-object-lock-retain-until-date + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + - name: x-amz-object-lock-legal-hold + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-checksum-type + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumType' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateMultipartUploadOutput' + /{Bucket}?session: + get: + operationId: CreateSession + description: "Creates a session that establishes temporary security credentials\ + \ to support fast authentication and authorization for the Zonal endpoint\ + \ API operations on directory buckets. For more information about Zonal endpoint\ + \ API operations that include the Availability Zone in the request endpoint,\ + \ see [S3 Express One Zone APIs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-APIs.html)\ + \ in the _Amazon S3 User Guide_.\n\nTo make Zonal endpoint API requests on\ + \ a directory bucket, use the `CreateSession` API operation. Specifically,\ + \ you grant `s3express:CreateSession` permission to a bucket in a bucket policy\ + \ or an IAM identity-based policy. Then, you use IAM credentials to make the\ + \ `CreateSession` API request on the bucket, which returns temporary security\ + \ credentials that include the access key ID, secret access key, session token,\ + \ and expiration. These credentials have associated permissions to access\ + \ the Zonal endpoint API operations. After the session is created, you don’t\ + \ need to use other policies to grant permissions to each Zonal endpoint API\ + \ individually. Instead, in your Zonal endpoint API requests, you sign your\ + \ requests by applying the temporary security credentials of the session to\ + \ the request headers and following the SigV4 protocol for authentication.\ + \ You also apply the session token to the `x-amz-s3session-token` request\ + \ header for authorization. Temporary security credentials are scoped to the\ + \ bucket and expire after 5 minutes. After the expiration time, any calls\ + \ that you make with those credentials will fail. You must use IAM credentials\ + \ again to make a `CreateSession` API request that generates a new set of\ + \ temporary credentials for use. Temporary credentials cannot be extended\ + \ or refreshed beyond the original specified interval.\n\nIf you use Amazon\ + \ Web Services SDKs, SDKs handle the session token refreshes automatically\ + \ to avoid service interruptions when a session expires. We recommend that\ + \ you use the Amazon Web Services SDKs to initiate and manage requests to\ + \ the CreateSession API. For more information, see [Performance guidelines\ + \ and design patterns](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-optimizing-performance-guidelines-design-patterns.html#s3-express-optimizing-performance-session-authentication)\ + \ in the _Amazon S3 User Guide_.\n\n * You must make requests for this API\ + \ operation to the Zonal endpoint. These endpoints support virtual-hosted-style\ + \ requests in the format `https://_bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\ + \ Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **`CopyObject` API operation** \\\ + - Unlike other Zonal endpoint API operations, the `CopyObject` API operation\ + \ doesn't use the temporary security credentials returned from the `CreateSession`\ + \ API operation for authentication and authorization. For information about\ + \ authentication and authorization of the `CopyObject` API operation on directory\ + \ buckets, see [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html).\n\ + \n * **`HeadBucket` API operation** \\- Unlike other Zonal endpoint API operations,\ + \ the `HeadBucket` API operation doesn't use the temporary security credentials\ + \ returned from the `CreateSession` API operation for authentication and authorization.\ + \ For information about authentication and authorization of the `HeadBucket`\ + \ API operation on directory buckets, see [HeadBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_HeadBucket.html).\n\ + \nPermissions\n\n \n\nTo obtain temporary security credentials, you must\ + \ create a bucket policy or an IAM identity-based policy that grants `s3express:CreateSession`\ + \ permission to the bucket. In a policy, you can have the `s3express:SessionMode`\ + \ condition key to control who can create a `ReadWrite` or `ReadOnly` session.\ + \ For more information about `ReadWrite` or `ReadOnly` sessions, see [ `x-amz-create-session-mode`\ + \ ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html#API_CreateSession_RequestParameters).\ + \ For example policies, see [Example bucket policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html)\ + \ and [Amazon Web Services Identity and Access Management (IAM) identity-based\ + \ policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-identity-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\nTo grant cross-account access to Zonal\ + \ endpoint API operations, the bucket policy should also grant both accounts\ + \ the `s3express:CreateSession` permission.\n\nIf you want to encrypt objects\ + \ with SSE-KMS, you must also have the `kms:GenerateDataKey` and the `kms:Decrypt`\ + \ permissions in IAM identity-based policies and KMS key policies for the\ + \ target KMS key.\n\nEncryption\n\n \n\nFor directory buckets, there are\ + \ only two supported options for server-side encryption: server-side encryption\ + \ with Amazon S3 managed keys (SSE-S3) (`AES256`) and server-side encryption\ + \ with KMS keys (SSE-KMS) (`aws:kms`). We recommend that the bucket's default\ + \ encryption uses the desired encryption configuration and you don't override\ + \ the bucket default encryption in your `CreateSession` requests or `PUT`\ + \ object requests. Then, new objects are automatically encrypted with the\ + \ desired encryption settings. For more information, see [Protecting data\ + \ with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_. For more information about the encryption\ + \ overriding behaviors in directory buckets, see [Specifying server-side encryption\ + \ with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\n\ + \nFor [Zonal endpoint (object-level) API operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-differences.html#s3-express-differences-api-operations)\ + \ except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html),\ + \ you authenticate and authorize requests through [CreateSession](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ for low latency. To encrypt new objects in a directory bucket with SSE-KMS,\ + \ you must specify SSE-KMS as the directory bucket's default encryption configuration\ + \ with a KMS key (specifically, a [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)).\ + \ Then, when a session is created for Zonal endpoint API operations, new objects\ + \ are automatically encrypted and decrypted with SSE-KMS and S3 Bucket Keys\ + \ during the session.\n\nOnly 1 [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ is supported per directory bucket for the lifetime of the bucket. The [Amazon\ + \ Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk)\ + \ (`aws/s3`) isn't supported. After you specify SSE-KMS as your bucket's default\ + \ encryption configuration with a customer managed key, you can't change the\ + \ customer managed key for the bucket's SSE-KMS configuration.\n\nIn the Zonal\ + \ endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html))\ + \ using the REST API, you can't override the values of the encryption settings\ + \ (`x-amz-server-side-encryption`, `x-amz-server-side-encryption-aws-kms-key-id`,\ + \ `x-amz-server-side-encryption-context`, and `x-amz-server-side-encryption-bucket-key-enabled`)\ + \ from the `CreateSession` request. You don't need to explicitly specify these\ + \ encryption settings values in Zonal endpoint API calls, and Amazon S3 will\ + \ use the encryption settings values from the `CreateSession` request to protect\ + \ new objects in the directory bucket.\n\nWhen you use the CLI or the Amazon\ + \ Web Services SDKs, for `CreateSession`, the session token refreshes automatically\ + \ to avoid service interruptions when a session expires. The CLI or the Amazon\ + \ Web Services SDKs use the bucket's default encryption configuration for\ + \ the `CreateSession` request. It's not supported to override the encryption\ + \ settings values in the `CreateSession` request. Also, in the Zonal endpoint\ + \ API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)),\ + \ it's not supported to override the values of the encryption settings from\ + \ the `CreateSession` request.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-create-session-mode + in: header + required: false + schema: + $ref: '#/components/schemas/SessionMode' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-server-side-encryption + in: header + required: false + schema: + $ref: '#/components/schemas/ServerSideEncryption' + - name: x-amz-server-side-encryption-aws-kms-key-id + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSKeyId' + - name: x-amz-server-side-encryption-context + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + - name: x-amz-server-side-encryption-bucket-key-enabled + in: header + required: false + schema: + $ref: '#/components/schemas/BucketKeyEnabled' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/CreateSessionOutput' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchBucket' + description: |- + The specified bucket does not exist. + /{Bucket}?analytics: + delete: + operationId: DeleteBucketAnalyticsConfiguration + description: |- + This operation is not supported for directory buckets. + + Deletes an analytics configuration for the bucket (specified by the analytics configuration ID). + + To use this operation, you must have permissions to perform the `s3:PutAnalyticsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about the Amazon S3 analytics feature, see [Amazon S3 Analytics – Storage Class Analysis](https://docs.aws.amazon.com/AmazonS3/latest/dev/analytics-storage-class.html). + + The following operations are related to `DeleteBucketAnalyticsConfiguration`: + + * [GetBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketAnalyticsConfiguration.html) + + * [ListBucketAnalyticsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketAnalyticsConfigurations.html) + + * [PutBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAnalyticsConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/AnalyticsId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + put: + operationId: PutBucketAnalyticsConfiguration + description: |- + This operation is not supported for directory buckets. + + Sets an analytics configuration for the bucket (specified by the analytics configuration ID). You can have up to 1,000 analytics configurations per bucket. + + You can choose to have storage class analysis export analysis reports sent to a comma-separated values (CSV) flat file. See the `DataExport` request element. Reports are updated daily and are based on the object filters that you configure. When selecting data export, you specify a destination bucket and an optional destination prefix where the file is written. You can export the data to a destination bucket in a different account. However, the destination bucket must be in the same Region as the bucket that you are making the PUT analytics configuration to. For more information, see [Amazon S3 Analytics – Storage Class Analysis](https://docs.aws.amazon.com/AmazonS3/latest/dev/analytics-storage-class.html). + + You must create a bucket policy on the destination bucket where the exported file is written to grant permissions to Amazon S3 to write objects to the bucket. For an example policy, see [Granting Permissions for Amazon S3 Inventory and Storage Class Analysis](https://docs.aws.amazon.com/AmazonS3/latest/dev/example-bucket-policies.html#example-bucket-policies-use-case-9). + + To use this operation, you must have permissions to perform the `s3:PutAnalyticsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + `PutBucketAnalyticsConfiguration` has the following special errors: + + * * _HTTP Error: HTTP 400 Bad Request_ + + * _Code: InvalidArgument_ + + * _Cause: Invalid argument._ + + * * _HTTP Error: HTTP 400 Bad Request_ + + * _Code: TooManyConfigurations_ + + * _Cause: You are attempting to create a new configuration but have already reached the 1,000-configuration limit._ + + * * _HTTP Error: HTTP 403 Forbidden_ + + * _Code: AccessDenied_ + + * _Cause: You are not the owner of the specified bucket, or you do not have the s3:PutAnalyticsConfiguration bucket permission to set the configuration on the bucket._ + + The following operations are related to `PutBucketAnalyticsConfiguration`: + + * [GetBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketAnalyticsConfiguration.html) + + * [DeleteBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketAnalyticsConfiguration.html) + + * [ListBucketAnalyticsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketAnalyticsConfigurations.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/AnalyticsId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/AnalyticsConfiguration' + responses: + '200': + description: Success + /{Bucket}?cors: + delete: + operationId: DeleteBucketCors + description: |- + This operation is not supported for directory buckets. + + Deletes the `cors` configuration information set for the bucket. + + To use this operation, you must have permission to perform the `s3:PutBucketCORS` action. The bucket owner has this permission by default and can grant this permission to others. + + For information about `cors`, see [Enabling Cross-Origin Resource Sharing](https://docs.aws.amazon.com/AmazonS3/latest/dev/cors.html) in the _Amazon S3 User Guide_. + + **Related Resources** + + * [PutBucketCors](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketCors.html) + + * [RESTOPTIONSobject](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTOPTIONSobject.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketCors + description: |- + This operation is not supported for directory buckets. + + Returns the Cross-Origin Resource Sharing (CORS) configuration information set for the bucket. + + To use this operation, you must have permission to perform the `s3:GetBucketCORS` action. By default, the bucket owner has this permission and can grant it to others. + + When you use this API operation with an access point, provide the alias of the access point in place of the bucket name. + + When you use this API operation with an Object Lambda access point, provide the alias of the Object Lambda access point in place of the bucket name. If the Object Lambda access point alias in a request is not valid, the error code `InvalidAccessPointAliasError` is returned. For more information about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + For more information about CORS, see [ Enabling Cross-Origin Resource Sharing](https://docs.aws.amazon.com/AmazonS3/latest/dev/cors.html). + + The following operations are related to `GetBucketCors`: + + * [PutBucketCors](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketCors.html) + + * [DeleteBucketCors](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketCors.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketCorsOutput' + put: + operationId: PutBucketCors + description: "This operation is not supported for directory buckets.\n\nSets\ + \ the `cors` configuration for your bucket. If the configuration exists, Amazon\ + \ S3 replaces it.\n\nTo use this operation, you must be allowed to perform\ + \ the `s3:PutBucketCORS` action. By default, the bucket owner has this permission\ + \ and can grant it to others.\n\nYou set this configuration on a bucket so\ + \ that the bucket can service cross-origin requests. For example, you might\ + \ want to enable a request whose origin is `http://www.example.com` to access\ + \ your Amazon S3 bucket at `my.example.bucket.com` by using the browser's\ + \ `XMLHttpRequest` capability.\n\nTo enable cross-origin resource sharing\ + \ (CORS) on a bucket, you add the `cors` subresource to the bucket. The `cors`\ + \ subresource is an XML document in which you configure rules that identify\ + \ origins and the HTTP methods that can be executed on your bucket. The document\ + \ is limited to 64 KB in size.\n\nWhen Amazon S3 receives a cross-origin request\ + \ (or a pre-flight OPTIONS request) against a bucket, it evaluates the `cors`\ + \ configuration on the bucket and uses the first `CORSRule` rule that matches\ + \ the incoming browser request to enable a cross-origin request. For a rule\ + \ to match, the following conditions must be met:\n\n * The request's `Origin`\ + \ header must match `AllowedOrigin` elements.\n\n * The request method (for\ + \ example, GET, PUT, HEAD, and so on) or the `Access-Control-Request-Method`\ + \ header in case of a pre-flight `OPTIONS` request must be one of the `AllowedMethod`\ + \ elements. \n\n * Every header specified in the `Access-Control-Request-Headers`\ + \ request header of a pre-flight request must match an `AllowedHeader` element.\ + \ \n\nFor more information about CORS, go to [Enabling Cross-Origin Resource\ + \ Sharing](https://docs.aws.amazon.com/AmazonS3/latest/dev/cors.html) in the\ + \ _Amazon S3 User Guide_.\n\nThe following operations are related to `PutBucketCors`:\n\ + \n * [GetBucketCors](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketCors.html)\n\ + \n * [DeleteBucketCors](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketCors.html)\n\ + \n * [RESTOPTIONSobject](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTOPTIONSobject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/CORSConfiguration' + responses: + '200': + description: Success + /{Bucket}?encryption: + delete: + operationId: DeleteBucketEncryption + description: "This implementation of the DELETE action resets the default encryption\ + \ for the bucket as server-side encryption with Amazon S3 managed keys (SSE-S3).\n\ + \n * **General purpose buckets** \\- For information about the bucket default\ + \ encryption feature, see [Amazon S3 Bucket Default Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- For directory\ + \ buckets, there are only two supported options for server-side encryption:\ + \ SSE-S3 and SSE-KMS. For information about the default encryption configuration\ + \ in directory buckets, see [Setting default server-side encryption behavior\ + \ for directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-bucket-encryption.html).\n\ + \nPermissions\n\n \n\n * **General purpose bucket permissions** \\- The\ + \ `s3:PutEncryptionConfiguration` permission is required in a policy. The\ + \ bucket owner has this permission by default. The bucket owner can grant\ + \ this permission to others. For more information about permissions, see [Permissions\ + \ Related to Bucket Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources)\ + \ and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html).\n\ + \n * **Directory bucket permissions** \\- To grant access to this API operation,\ + \ you must have the `s3express:PutEncryptionConfiguration` permission in an\ + \ IAM identity-based policy instead of a bucket policy. Cross-account access\ + \ to this API operation isn't supported. This operation can only be performed\ + \ by the Amazon Web Services account that owns the resource. For more information\ + \ about directory bucket policies and permissions, see [Amazon Web Services\ + \ Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `DeleteBucketEncryption`:\n\n *\ + \ [PutBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketEncryption.html)\n\ + \n * [GetBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketEncryption.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketEncryption + description: "Returns the default encryption configuration for an Amazon S3\ + \ bucket. By default, all buckets have a default encryption configuration\ + \ that uses server-side encryption with Amazon S3 managed keys (SSE-S3). This\ + \ operation also returns the [BucketKeyEnabled](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ServerSideEncryptionRule.html#AmazonS3-Type-ServerSideEncryptionRule-BucketKeyEnabled)\ + \ and [BlockedEncryptionTypes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ServerSideEncryptionRule.html#AmazonS3-Type-ServerSideEncryptionRule-BlockedEncryptionTypes)\ + \ statuses.\n\n * **General purpose buckets** \\- For information about the\ + \ bucket default encryption feature, see [Amazon S3 Bucket Default Encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/bucket-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- For directory\ + \ buckets, there are only two supported options for server-side encryption:\ + \ SSE-S3 and SSE-KMS. For information about the default encryption configuration\ + \ in directory buckets, see [Setting default server-side encryption behavior\ + \ for directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-bucket-encryption.html).\n\ + \nPermissions\n\n \n\n * **General purpose bucket permissions** \\- The\ + \ `s3:GetEncryptionConfiguration` permission is required in a policy. The\ + \ bucket owner has this permission by default. The bucket owner can grant\ + \ this permission to others. For more information about permissions, see [Permissions\ + \ Related to Bucket Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources)\ + \ and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html).\n\ + \n * **Directory bucket permissions** \\- To grant access to this API operation,\ + \ you must have the `s3express:GetEncryptionConfiguration` permission in an\ + \ IAM identity-based policy instead of a bucket policy. Cross-account access\ + \ to this API operation isn't supported. This operation can only be performed\ + \ by the Amazon Web Services account that owns the resource. For more information\ + \ about directory bucket policies and permissions, see [Amazon Web Services\ + \ Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `GetBucketEncryption`:\n\n * [PutBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketEncryption.html)\n\ + \n * [DeleteBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketEncryption.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketEncryptionOutput' + put: + operationId: PutBucketEncryption + description: "This operation configures default encryption and Amazon S3 Bucket\ + \ Keys for an existing bucket. You can also [block encryption types](https://docs.aws.amazon.com/AmazonS3/latest/API/API_BlockedEncryptionTypes.html)\ + \ using this operation.\n\n**Directory buckets** \\- For directory buckets,\ + \ you must make requests for this API operation to the Regional endpoint.\ + \ These endpoints support path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nBy default, all buckets have a default\ + \ encryption configuration that uses server-side encryption with Amazon S3\ + \ managed keys (SSE-S3).\n\n * **General purpose buckets**\n\n * You can\ + \ optionally configure default encryption for a bucket by using server-side\ + \ encryption with Key Management Service (KMS) keys (SSE-KMS) or dual-layer\ + \ server-side encryption with Amazon Web Services KMS keys (DSSE-KMS). If\ + \ you specify default encryption by using SSE-KMS, you can also configure\ + \ [Amazon S3 Bucket Keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-key.html).\ + \ For information about the bucket default encryption feature, see [Amazon\ + \ S3 Bucket Default Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-encryption.html)\ + \ in the _Amazon S3 User Guide_. \n\n * If you use PutBucketEncryption\ + \ to set your [default bucket encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-encryption.html)\ + \ to SSE-KMS, you should verify that your KMS key ID is correct. Amazon S3\ + \ doesn't validate the KMS key ID provided in PutBucketEncryption requests.\n\ + \n * **Directory buckets** \\- You can optionally configure default encryption\ + \ for a bucket by using server-side encryption with Key Management Service\ + \ (KMS) keys (SSE-KMS).\n\n * We recommend that the bucket's default encryption\ + \ uses the desired encryption configuration and you don't override the bucket\ + \ default encryption in your `CreateSession` requests or `PUT` object requests.\ + \ Then, new objects are automatically encrypted with the desired encryption\ + \ settings. For more information about the encryption overriding behaviors\ + \ in directory buckets, see [Specifying server-side encryption with KMS for\ + \ new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\n\ + \n * Your SSE-KMS configuration can only support 1 [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ per directory bucket's lifetime. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk)\ + \ (`aws/s3`) isn't supported. \n\n * S3 Bucket Keys are always enabled\ + \ for `GET` and `PUT` operations in a directory bucket and can’t be disabled.\ + \ S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects\ + \ from general purpose buckets to directory buckets, from directory buckets\ + \ to general purpose buckets, or between directory buckets, through [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html),\ + \ [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html),\ + \ [the Copy operation in Batch Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-objects-Batch-Ops),\ + \ or [the import jobs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/create-import-job).\ + \ In this case, Amazon S3 makes a call to KMS every time a copy request is\ + \ made for a KMS-encrypted object.\n\n * When you specify an [KMS customer\ + \ managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ for encryption in your directory bucket, only use the key ID or key ARN.\ + \ The key alias format of the KMS key isn't supported.\n\n * For directory\ + \ buckets, if you use PutBucketEncryption to set your [default bucket encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-encryption.html)\ + \ to SSE-KMS, Amazon S3 validates the KMS key ID provided in PutBucketEncryption\ + \ requests.\n\nIf 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.\n\nAlso, this action requires Amazon Web Services\ + \ Signature Version 4. For more information, see [ Authenticating Requests\ + \ (Amazon Web Services Signature Version 4)](https://docs.aws.amazon.com/AmazonS3/latest/API/sig-v4-authenticating-requests.html).\n\ + \nPermissions\n\n \n\n * **General purpose bucket permissions** \\- The\ + \ `s3:PutEncryptionConfiguration` permission is required in a policy. The\ + \ bucket owner has this permission by default. The bucket owner can grant\ + \ this permission to others. For more information about permissions, see [Permissions\ + \ Related to Bucket Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources)\ + \ and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation, you must have the `s3express:PutEncryptionConfiguration`\ + \ permission in an IAM identity-based policy instead of a bucket policy. Cross-account\ + \ access to this API operation isn't supported. This operation can only be\ + \ performed by the Amazon Web Services account that owns the resource. For\ + \ more information about directory bucket policies and permissions, see [Amazon\ + \ Web Services Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nTo set a directory bucket default encryption\ + \ with SSE-KMS, you must also have the `kms:GenerateDataKey` and the `kms:Decrypt`\ + \ permissions in IAM identity-based policies and KMS key policies for the\ + \ target KMS key.\n\nHTTP Host header syntax\n\n \n\n**Directory buckets**\ + \ \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `PutBucketEncryption`:\n\n * [GetBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketEncryption.html)\n\ + \n * [DeleteBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketEncryption.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/ServerSideEncryptionConfiguration' + responses: + '200': + description: Success + /{Bucket}?intelligent-tiering: + delete: + operationId: DeleteBucketIntelligentTieringConfiguration + description: |- + This operation is not supported for directory buckets. + + Deletes the S3 Intelligent-Tiering configuration from the specified bucket. + + The S3 Intelligent-Tiering storage class is designed to optimize storage costs by automatically moving data to the most cost-effective storage access tier, without performance impact or operational overhead. S3 Intelligent-Tiering delivers automatic cost savings in three low latency and high throughput access tiers. To get the lowest storage cost on data that can be accessed in minutes to hours, you can choose to activate additional archiving capabilities. + + The S3 Intelligent-Tiering storage class is the ideal storage class for data with unknown, changing, or unpredictable access patterns, independent of object size or retention period. If the size of an object is less than 128 KB, it is not monitored and not eligible for auto-tiering. Smaller objects can be stored, but they are always charged at the Frequent Access tier rates in the S3 Intelligent-Tiering storage class. + + For more information, see [Storage class for automatically optimizing frequently and infrequently accessed objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html#sc-dynamic-data-access). + + Operations related to `DeleteBucketIntelligentTieringConfiguration` include: + + * [GetBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketIntelligentTieringConfiguration.html) + + * [PutBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketIntelligentTieringConfiguration.html) + + * [ListBucketIntelligentTieringConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketIntelligentTieringConfigurations.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/IntelligentTieringId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + put: + operationId: PutBucketIntelligentTieringConfiguration + description: "This operation is not supported for directory buckets.\n\nPuts\ + \ a S3 Intelligent-Tiering configuration to the specified bucket. You can\ + \ have up to 1,000 S3 Intelligent-Tiering configurations per bucket.\n\nThe\ + \ S3 Intelligent-Tiering storage class is designed to optimize storage costs\ + \ by automatically moving data to the most cost-effective storage access tier,\ + \ without performance impact or operational overhead. S3 Intelligent-Tiering\ + \ delivers automatic cost savings in three low latency and high throughput\ + \ access tiers. To get the lowest storage cost on data that can be accessed\ + \ in minutes to hours, you can choose to activate additional archiving capabilities.\n\ + \nThe S3 Intelligent-Tiering storage class is the ideal storage class for\ + \ data with unknown, changing, or unpredictable access patterns, independent\ + \ of object size or retention period. If the size of an object is less than\ + \ 128 KB, it is not monitored and not eligible for auto-tiering. Smaller objects\ + \ can be stored, but they are always charged at the Frequent Access tier rates\ + \ in the S3 Intelligent-Tiering storage class.\n\nFor more information, see\ + \ [Storage class for automatically optimizing frequently and infrequently\ + \ accessed objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html#sc-dynamic-data-access).\n\ + \nOperations related to `PutBucketIntelligentTieringConfiguration` include:\n\ + \n * [DeleteBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketIntelligentTieringConfiguration.html)\n\ + \n * [GetBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketIntelligentTieringConfiguration.html)\n\ + \n * [ListBucketIntelligentTieringConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketIntelligentTieringConfigurations.html)\n\ + \nYou only need S3 Intelligent-Tiering enabled on a bucket if you want to\ + \ automatically move objects stored in the S3 Intelligent-Tiering storage\ + \ class to the Archive Access or Deep Archive Access tier.\n\n`PutBucketIntelligentTieringConfiguration`\ + \ has the following special errors:\n\nHTTP 400 Bad Request Error\n\n \n\ + \n_Code:_ InvalidArgument\n\n_Cause:_ Invalid Argument\n\nHTTP 400 Bad Request\ + \ Error\n\n \n\n_Code:_ TooManyConfigurations\n\n_Cause:_ You are attempting\ + \ to create a new configuration but have already reached the 1,000-configuration\ + \ limit.\n\nHTTP 403 Forbidden Error\n\n \n\n_Cause:_ You are not the owner\ + \ of the specified bucket, or you do not have the `s3:PutIntelligentTieringConfiguration`\ + \ bucket permission to set the configuration on the bucket.\n\nYou must URL\ + \ encode any signed header values that contain spaces. For example, if your\ + \ header value is `my file.txt`, containing two spaces after `my`, you must\ + \ URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/IntelligentTieringId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/IntelligentTieringConfiguration' + responses: + '200': + description: Success + /{Bucket}?inventory: + delete: + operationId: DeleteBucketInventoryConfiguration + description: |- + This operation is not supported for directory buckets. + + Deletes an S3 Inventory configuration (identified by the inventory ID) from the bucket. + + To use this operation, you must have permissions to perform the `s3:PutInventoryConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about the Amazon S3 inventory feature, see [Amazon S3 Inventory](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-inventory.html). + + Operations related to `DeleteBucketInventoryConfiguration` include: + + * [GetBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketInventoryConfiguration.html) + + * [PutBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketInventoryConfiguration.html) + + * [ListBucketInventoryConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketInventoryConfigurations.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/InventoryId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + put: + operationId: PutBucketInventoryConfiguration + description: "This operation is not supported for directory buckets.\n\nThis\ + \ implementation of the `PUT` action adds an S3 Inventory configuration (identified\ + \ by the inventory ID) to the bucket. You can have up to 1,000 inventory configurations\ + \ per bucket.\n\nAmazon S3 inventory generates inventories of the objects\ + \ in the bucket on a daily or weekly basis, and the results are published\ + \ to a flat file. The bucket that is inventoried is called the _source_ bucket,\ + \ and the bucket where the inventory flat file is stored is called the _destination_\ + \ bucket. The _destination_ bucket must be in the same Amazon Web Services\ + \ Region as the _source_ bucket.\n\nWhen you configure an inventory for a\ + \ _source_ bucket, you specify the _destination_ bucket where you want the\ + \ inventory to be stored, and whether to generate the inventory daily or weekly.\ + \ You can also configure what object metadata to include and whether to inventory\ + \ all object versions or only current versions. For more information, see\ + \ [Amazon S3 Inventory](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-inventory.html)\ + \ in the Amazon S3 User Guide.\n\nYou must create a bucket policy on the _destination_\ + \ bucket to grant permissions to Amazon S3 to write objects to the bucket\ + \ in the defined location. For an example policy, see [ Granting Permissions\ + \ for Amazon S3 Inventory and Storage Class Analysis](https://docs.aws.amazon.com/AmazonS3/latest/dev/example-bucket-policies.html#example-bucket-policies-use-case-9).\n\ + \nPermissions\n\n \n\nTo use this operation, you must have permission to\ + \ perform the `s3:PutInventoryConfiguration` action. The bucket owner has\ + \ this permission by default and can grant this permission to others.\n\n\ + The `s3:PutInventoryConfiguration` permission allows a user to create an [S3\ + \ Inventory](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage-inventory.html)\ + \ report that includes all object metadata fields available and to specify\ + \ the destination bucket to store the inventory. A user with read access to\ + \ objects in the destination bucket can also access all object metadata fields\ + \ that are available in the inventory report.\n\nTo restrict access to an\ + \ inventory report, see [Restricting access to an Amazon S3 Inventory report](https://docs.aws.amazon.com/AmazonS3/latest/userguide/example-bucket-policies.html#example-bucket-policies-use-case-10)\ + \ in the _Amazon S3 User Guide_. For more information about the metadata fields\ + \ available in S3 Inventory, see [Amazon S3 Inventory lists](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage-inventory.html#storage-inventory-contents)\ + \ in the _Amazon S3 User Guide_. For more information about permissions, see\ + \ [Permissions related to bucket subresource operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources)\ + \ and [Identity and access management in Amazon S3](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html)\ + \ in the _Amazon S3 User Guide_.\n\n`PutBucketInventoryConfiguration` has\ + \ the following special errors:\n\nHTTP 400 Bad Request Error\n\n \n\n\ + _Code:_ InvalidArgument\n\n_Cause:_ Invalid Argument\n\nHTTP 400 Bad Request\ + \ Error\n\n \n\n_Code:_ TooManyConfigurations\n\n_Cause:_ You are attempting\ + \ to create a new configuration but have already reached the 1,000-configuration\ + \ limit.\n\nHTTP 403 Forbidden Error\n\n \n\n_Cause:_ You are not the owner\ + \ of the specified bucket, or you do not have the `s3:PutInventoryConfiguration`\ + \ bucket permission to set the configuration on the bucket.\n\nThe following\ + \ operations are related to `PutBucketInventoryConfiguration`:\n\n * [GetBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketInventoryConfiguration.html)\n\ + \n * [DeleteBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketInventoryConfiguration.html)\n\ + \n * [ListBucketInventoryConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketInventoryConfigurations.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/InventoryId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/InventoryConfiguration' + responses: + '200': + description: Success + /{Bucket}?lifecycle: + delete: + operationId: DeleteBucketLifecycle + description: "Deletes the lifecycle configuration from the specified bucket.\ + \ Amazon S3 removes all the lifecycle configuration rules in the lifecycle\ + \ subresource associated with the bucket. Your objects never expire, and Amazon\ + \ S3 no longer automatically deletes any objects on the basis of rules contained\ + \ in the deleted lifecycle configuration.\n\nPermissions\n\n \n\n * **General\ + \ purpose bucket permissions** \\- By default, all Amazon S3 resources are\ + \ private, including buckets, objects, and related subresources (for example,\ + \ lifecycle configuration and website configuration). Only the resource owner\ + \ (that is, the Amazon Web Services account that created it) can access the\ + \ resource. The resource owner can optionally grant access permissions to\ + \ others by writing an access policy. For this operation, a user must have\ + \ the `s3:PutLifecycleConfiguration` permission.\n\nFor more information about\ + \ permissions, see [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html).\n\ + \n * **Directory bucket permissions** \\- You must have the `s3express:PutLifecycleConfiguration`\ + \ permission in an IAM identity-based policy to use this operation. Cross-account\ + \ access to this API operation isn't supported. The resource owner can optionally\ + \ grant access permissions to others by creating a role or user for them as\ + \ long as they are within the same account as the owner and resource.\n\n\ + For more information about directory bucket policies and permissions, see\ + \ [Authorizing Regional endpoint APIs with IAM](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Regional endpoint.\ + \ These endpoints support path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region_.amazonaws.com`.\n\ + \nFor more information about the object expiration, see [Elements to Describe\ + \ Lifecycle Actions](https://docs.aws.amazon.com/AmazonS3/latest/dev/intro-lifecycle-rules.html#intro-lifecycle-rules-actions).\n\ + \nRelated actions include:\n\n * [PutBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)\n\ + \n * [GetBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLifecycleConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketLifecycleConfiguration + description: "Returns the lifecycle configuration information set on the bucket.\ + \ For information about lifecycle configuration, see [Object Lifecycle Management](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lifecycle-mgmt.html).\n\ + \nBucket lifecycle configuration now supports specifying a lifecycle rule\ + \ using an object key name prefix, one or more object tags, object size, or\ + \ any combination of these. Accordingly, this section describes the latest\ + \ API, which is compatible with the new functionality. The previous version\ + \ of the API supported filtering based only on an object key name prefix,\ + \ which is supported for general purpose buckets for backward compatibility.\ + \ For the related API description, see [GetBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLifecycle.html).\n\ + \nLifecyle configurations for directory buckets only support expiring objects\ + \ and cancelling multipart uploads. Expiring of versioned objects, transitions\ + \ and tag filters are not supported.\n\nPermissions\n\n \n\n * **General\ + \ purpose bucket permissions** \\- By default, all Amazon S3 resources are\ + \ private, including buckets, objects, and related subresources (for example,\ + \ lifecycle configuration and website configuration). Only the resource owner\ + \ (that is, the Amazon Web Services account that created it) can access the\ + \ resource. The resource owner can optionally grant access permissions to\ + \ others by writing an access policy. For this operation, a user must have\ + \ the `s3:GetLifecycleConfiguration` permission.\n\nFor more information about\ + \ permissions, see [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html).\n\ + \n * **Directory bucket permissions** \\- You must have the `s3express:GetLifecycleConfiguration`\ + \ permission in an IAM identity-based policy to use this operation. Cross-account\ + \ access to this API operation isn't supported. The resource owner can optionally\ + \ grant access permissions to others by creating a role or user for them as\ + \ long as they are within the same account as the owner and resource.\n\n\ + For more information about directory bucket policies and permissions, see\ + \ [Authorizing Regional endpoint APIs with IAM](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Regional endpoint.\ + \ These endpoints support path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region_.amazonaws.com`.\n\ + \n`GetBucketLifecycleConfiguration` has the following special error:\n\n \ + \ * Error code: `NoSuchLifecycleConfiguration`\n\n * Description: The lifecycle\ + \ configuration does not exist.\n\n * HTTP Status Code: 404 Not Found\n\ + \n * SOAP Fault Code Prefix: Client\n\nThe following operations are related\ + \ to `GetBucketLifecycleConfiguration`:\n\n * [GetBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLifecycle.html)\n\ + \n * [PutBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycle.html)\n\ + \n * [DeleteBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketLifecycle.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketLifecycleConfigurationOutput' + put: + operationId: PutBucketLifecycleConfiguration + description: "Creates a new lifecycle configuration for the bucket or replaces\ + \ an existing lifecycle configuration. Keep in mind that this will overwrite\ + \ an existing lifecycle configuration, so if you want to retain any configuration\ + \ details, they must be included in the new lifecycle configuration. For information\ + \ about lifecycle configuration, see [Managing your storage lifecycle](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lifecycle-mgmt.html).\n\ + \nBucket lifecycle configuration now supports specifying a lifecycle rule\ + \ using an object key name prefix, one or more object tags, object size, or\ + \ any combination of these. Accordingly, this section describes the latest\ + \ API. The previous version of the API supported filtering based only on an\ + \ object key name prefix, which is supported for backward compatibility. For\ + \ the related API description, see [PutBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycle.html).\n\ + \nRules\n\nPermissions\n\nHTTP Host header syntax\n\n \n\nYou specify the\ + \ lifecycle configuration in your request body. The lifecycle configuration\ + \ is specified as XML consisting of one or more rules. An Amazon S3 Lifecycle\ + \ configuration can have up to 1,000 rules. This limit is not adjustable.\n\ + \nBucket lifecycle configuration supports specifying a lifecycle rule using\ + \ an object key name prefix, one or more object tags, object size, or any\ + \ combination of these. Accordingly, this section describes the latest API.\ + \ The previous version of the API supported filtering based only on an object\ + \ key name prefix, which is supported for backward compatibility for general\ + \ purpose buckets. For the related API description, see [PutBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycle.html).\n\ + \nLifecyle configurations for directory buckets only support expiring objects\ + \ and cancelling multipart uploads. Expiring of versioned objects,transitions\ + \ and tag filters are not supported.\n\nA lifecycle rule consists of the following:\n\ + \n * A filter identifying a subset of objects to which the rule applies.\ + \ The filter can be based on a key name prefix, object tags, object size,\ + \ or any combination of these.\n\n * A status indicating whether the rule\ + \ is in effect.\n\n * One or more lifecycle transition and expiration actions\ + \ that you want Amazon S3 to perform on the objects identified by the filter.\ + \ If the state of your bucket is versioning-enabled or versioning-suspended,\ + \ you can have many versions of the same object (one current version and zero\ + \ or more noncurrent versions). Amazon S3 provides predefined actions that\ + \ you can specify for current and noncurrent object versions.\n\nFor more\ + \ information, see [Object Lifecycle Management](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lifecycle-mgmt.html)\ + \ and [Lifecycle Configuration Elements](https://docs.aws.amazon.com/AmazonS3/latest/dev/intro-lifecycle-rules.html).\n\ + \n \n\n * **General purpose bucket permissions** \\- By default, all Amazon\ + \ S3 resources are private, including buckets, objects, and related subresources\ + \ (for example, lifecycle configuration and website configuration). Only the\ + \ resource owner (that is, the Amazon Web Services account that created it)\ + \ can access the resource. The resource owner can optionally grant access\ + \ permissions to others by writing an access policy. For this operation, a\ + \ user must have the `s3:PutLifecycleConfiguration` permission.\n\nYou can\ + \ also explicitly deny permissions. An explicit deny also supersedes any other\ + \ permissions. If you want to block users or accounts from removing or deleting\ + \ objects from your bucket, you must deny them permissions for the following\ + \ actions:\n\n * `s3:DeleteObject`\n\n * `s3:DeleteObjectVersion`\n\n\ + \ * `s3:PutLifecycleConfiguration`\n\nFor more information about permissions,\ + \ see [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html).\n\ + \n * **Directory bucket permissions** \\- You must have the `s3express:PutLifecycleConfiguration`\ + \ permission in an IAM identity-based policy to use this operation. Cross-account\ + \ access to this API operation isn't supported. The resource owner can optionally\ + \ grant access permissions to others by creating a role or user for them as\ + \ long as they are within the same account as the owner and resource.\n\n\ + For more information about directory bucket policies and permissions, see\ + \ [Authorizing Regional endpoint APIs with IAM](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Regional endpoint.\ + \ These endpoints support path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\n \n\n**Directory buckets** \\- The\ + \ HTTP Host header syntax is `s3express-control._region_.amazonaws.com`.\n\ + \nThe following operations are related to `PutBucketLifecycleConfiguration`:\n\ + \n * [GetBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLifecycleConfiguration.html)\n\ + \n * [DeleteBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketLifecycle.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-transition-default-minimum-object-size + in: header + required: false + schema: + $ref: '#/components/schemas/TransitionDefaultMinimumObjectSize' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/BucketLifecycleConfiguration' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutBucketLifecycleConfigurationOutput' + /{Bucket}?metrics: + delete: + operationId: DeleteBucketMetricsConfiguration + description: |- + This operation is not supported for directory buckets. + + Deletes a metrics configuration for the Amazon CloudWatch request metrics (specified by the metrics configuration ID) from the bucket. Note that this doesn't include the daily storage metrics. + + To use this operation, you must have permissions to perform the `s3:PutMetricsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about CloudWatch request metrics for Amazon S3, see [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html). + + The following operations are related to `DeleteBucketMetricsConfiguration`: + + * [GetBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetricsConfiguration.html) + + * [PutBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketMetricsConfiguration.html) + + * [ListBucketMetricsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketMetricsConfigurations.html) + + * [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/MetricsId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + put: + operationId: PutBucketMetricsConfiguration + description: |- + This operation is not supported for directory buckets. + + Sets a metrics configuration (specified by the metrics configuration ID) for the bucket. You can have up to 1,000 metrics configurations per bucket. If you're updating an existing metrics configuration, note that this is a full replacement of the existing metrics configuration. If you don't include the elements you want to keep, they are erased. + + To use this operation, you must have permissions to perform the `s3:PutMetricsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about CloudWatch request metrics for Amazon S3, see [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html). + + The following operations are related to `PutBucketMetricsConfiguration`: + + * [DeleteBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetricsConfiguration.html) + + * [GetBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetricsConfiguration.html) + + * [ListBucketMetricsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketMetricsConfigurations.html) + + `PutBucketMetricsConfiguration` has the following special error: + + * Error code: `TooManyConfigurations` + + * Description: You are attempting to create a new configuration but have already reached the 1,000-configuration limit. + + * HTTP Status Code: HTTP 400 Bad Request + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/MetricsId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/MetricsConfiguration' + responses: + '200': + description: Success + /{Bucket}?ownershipControls: + delete: + operationId: DeleteBucketOwnershipControls + description: |- + This operation is not supported for directory buckets. + + Removes `OwnershipControls` for an Amazon S3 bucket. To use this operation, you must have the `s3:PutBucketOwnershipControls` permission. For more information about Amazon S3 permissions, see [Specifying Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html). + + For information about Amazon S3 Object Ownership, see [Using Object Ownership](https://docs.aws.amazon.com/AmazonS3/latest/dev/about-object-ownership.html). + + The following operations are related to `DeleteBucketOwnershipControls`: + + * GetBucketOwnershipControls + + * PutBucketOwnershipControls + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketOwnershipControls + description: |- + This operation is not supported for directory buckets. + + Retrieves `OwnershipControls` for an Amazon S3 bucket. To use this operation, you must have the `s3:GetBucketOwnershipControls` permission. For more information about Amazon S3 permissions, see [Specifying permissions in a policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html). + + A bucket doesn't have `OwnershipControls` settings in the following cases: + + * The bucket was created before the `BucketOwnerEnforced` ownership setting was introduced and you've never explicitly applied this value + + * You've manually deleted the bucket ownership control value using the `DeleteBucketOwnershipControls` API operation. + + By default, Amazon S3 sets `OwnershipControls` for all newly created buckets. + + For information about Amazon S3 Object Ownership, see [Using Object Ownership](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html). + + The following operations are related to `GetBucketOwnershipControls`: + + * PutBucketOwnershipControls + + * DeleteBucketOwnershipControls + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketOwnershipControlsOutput' + put: + operationId: PutBucketOwnershipControls + description: |- + This operation is not supported for directory buckets. + + Creates or modifies `OwnershipControls` for an Amazon S3 bucket. To use this operation, you must have the `s3:PutBucketOwnershipControls` permission. For more information about Amazon S3 permissions, see [Specifying permissions in a policy](https://docs.aws.amazon.com/AmazonS3/latest/user-guide/using-with-s3-actions.html). + + For information about Amazon S3 Object Ownership, see [Using object ownership](https://docs.aws.amazon.com/AmazonS3/latest/user-guide/about-object-ownership.html). + + The following operations are related to `PutBucketOwnershipControls`: + + * GetBucketOwnershipControls + + * DeleteBucketOwnershipControls + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/OwnershipControls' + responses: + '200': + description: Success + /{Bucket}?policy: + delete: + operationId: DeleteBucketPolicy + description: "Deletes the policy of a specified bucket.\n\n**Directory buckets**\ + \ \\- For directory buckets, you must make requests for this API operation\ + \ to the Regional endpoint. These endpoints support path-style requests in\ + \ the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nIf you are using\ + \ an identity other than the root user of the Amazon Web Services account\ + \ that owns the bucket, the calling identity must both have the `DeleteBucketPolicy`\ + \ permissions on the specified bucket and belong to the bucket owner's account\ + \ in order to use this operation.\n\nIf you don't have `DeleteBucketPolicy`\ + \ permissions, Amazon S3 returns a `403 Access Denied` error. If you have\ + \ the correct permissions, but you're not using an identity that belongs to\ + \ the bucket owner's account, Amazon S3 returns a `405 Method Not Allowed`\ + \ error.\n\nTo ensure that bucket owners don't inadvertently lock themselves\ + \ out of their own buckets, the root principal in a bucket owner's Amazon\ + \ Web Services account can perform the `GetBucketPolicy`, `PutBucketPolicy`,\ + \ and `DeleteBucketPolicy` API actions, even if their bucket policy explicitly\ + \ denies the root principal's access. Bucket owner root principals can only\ + \ be blocked from performing these API actions by VPC endpoint policies and\ + \ Amazon Web Services Organizations policies.\n\n * **General purpose bucket\ + \ permissions** \\- The `s3:DeleteBucketPolicy` permission is required in\ + \ a policy. For more information about general purpose buckets bucket policies,\ + \ see [Using Bucket Policies and User Policies](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-iam-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation, you must have the `s3express:DeleteBucketPolicy`\ + \ permission in an IAM identity-based policy instead of a bucket policy. Cross-account\ + \ access to this API operation isn't supported. This operation can only be\ + \ performed by the Amazon Web Services account that owns the resource. For\ + \ more information about directory bucket policies and permissions, see [Amazon\ + \ Web Services Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `DeleteBucketPolicy`\n\n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \n * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketPolicy + description: "Returns the policy of a specified bucket.\n\n**Directory buckets**\ + \ \\- For directory buckets, you must make requests for this API operation\ + \ to the Regional endpoint. These endpoints support path-style requests in\ + \ the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nIf you are using\ + \ an identity other than the root user of the Amazon Web Services account\ + \ that owns the bucket, the calling identity must both have the `GetBucketPolicy`\ + \ permissions on the specified bucket and belong to the bucket owner's account\ + \ in order to use this operation.\n\nIf you don't have `GetBucketPolicy` permissions,\ + \ Amazon S3 returns a `403 Access Denied` error. If you have the correct permissions,\ + \ but you're not using an identity that belongs to the bucket owner's account,\ + \ Amazon S3 returns a `405 Method Not Allowed` error.\n\nTo ensure that bucket\ + \ owners don't inadvertently lock themselves out of their own buckets, the\ + \ root principal in a bucket owner's Amazon Web Services account can perform\ + \ the `GetBucketPolicy`, `PutBucketPolicy`, and `DeleteBucketPolicy` API actions,\ + \ even if their bucket policy explicitly denies the root principal's access.\ + \ Bucket owner root principals can only be blocked from performing these API\ + \ actions by VPC endpoint policies and Amazon Web Services Organizations policies.\n\ + \n * **General purpose bucket permissions** \\- The `s3:GetBucketPolicy`\ + \ permission is required in a policy. For more information about general purpose\ + \ buckets bucket policies, see [Using Bucket Policies and User Policies](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-iam-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation, you must have the `s3express:GetBucketPolicy`\ + \ permission in an IAM identity-based policy instead of a bucket policy. Cross-account\ + \ access to this API operation isn't supported. This operation can only be\ + \ performed by the Amazon Web Services account that owns the resource. For\ + \ more information about directory bucket policies and permissions, see [Amazon\ + \ Web Services Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nExample bucket policies\n\n \n\n**General\ + \ purpose buckets example bucket policies** \\- See [Bucket policy examples](https://docs.aws.amazon.com/AmazonS3/latest/userguide/example-bucket-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory bucket example bucket policies**\ + \ \\- See [Example bucket policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following action is related to `GetBucketPolicy`:\n\n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketPolicyOutput' + put: + operationId: PutBucketPolicy + description: "Applies an Amazon S3 bucket policy to an Amazon S3 bucket.\n\n\ + **Directory buckets** \\- For directory buckets, you must make requests for\ + \ this API operation to the Regional endpoint. These endpoints support path-style\ + \ requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nIf you are using\ + \ an identity other than the root user of the Amazon Web Services account\ + \ that owns the bucket, the calling identity must both have the `PutBucketPolicy`\ + \ permissions on the specified bucket and belong to the bucket owner's account\ + \ in order to use this operation.\n\nIf you don't have `PutBucketPolicy` permissions,\ + \ Amazon S3 returns a `403 Access Denied` error. If you have the correct permissions,\ + \ but you're not using an identity that belongs to the bucket owner's account,\ + \ Amazon S3 returns a `405 Method Not Allowed` error.\n\nTo ensure that bucket\ + \ owners don't inadvertently lock themselves out of their own buckets, the\ + \ root principal in a bucket owner's Amazon Web Services account can perform\ + \ the `GetBucketPolicy`, `PutBucketPolicy`, and `DeleteBucketPolicy` API actions,\ + \ even if their bucket policy explicitly denies the root principal's access.\ + \ Bucket owner root principals can only be blocked from performing these API\ + \ actions by VPC endpoint policies and Amazon Web Services Organizations policies.\n\ + \n * **General purpose bucket permissions** \\- The `s3:PutBucketPolicy`\ + \ permission is required in a policy. For more information about general purpose\ + \ buckets bucket policies, see [Using Bucket Policies and User Policies](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-iam-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation, you must have the `s3express:PutBucketPolicy`\ + \ permission in an IAM identity-based policy instead of a bucket policy. Cross-account\ + \ access to this API operation isn't supported. This operation can only be\ + \ performed by the Amazon Web Services account that owns the resource. For\ + \ more information about directory bucket policies and permissions, see [Amazon\ + \ Web Services Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nExample bucket policies\n\n \n\n**General\ + \ purpose buckets example bucket policies** \\- See [Bucket policy examples](https://docs.aws.amazon.com/AmazonS3/latest/userguide/example-bucket-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory bucket example bucket policies**\ + \ \\- See [Example bucket policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `PutBucketPolicy`:\n\n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \n * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-confirm-remove-self-bucket-access + in: header + required: false + schema: + $ref: '#/components/schemas/ConfirmRemoveSelfBucketAccess' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/Policy' + responses: + '200': + description: Success + /{Bucket}?replication: + delete: + operationId: DeleteBucketReplication + description: |- + This operation is not supported for directory buckets. + + Deletes the replication configuration from the bucket. + + To use this operation, you must have permissions to perform the `s3:PutReplicationConfiguration` action. The bucket owner has these permissions by default and can grant it to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + It can take a while for the deletion of a replication configuration to fully propagate. + + For information about replication configuration, see [Replication](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication.html) in the _Amazon S3 User Guide_. + + The following operations are related to `DeleteBucketReplication`: + + * [PutBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketReplication.html) + + * [GetBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketReplication.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketReplication + description: |- + This operation is not supported for directory buckets. + + Returns the replication configuration of a bucket. + + It can take a while to propagate the put or delete a replication configuration to all Amazon S3 systems. Therefore, a get request soon after put or delete can return a wrong result. + + For information about replication configuration, see [Replication](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication.html) in the _Amazon S3 User Guide_. + + This action requires permissions for the `s3:GetReplicationConfiguration` action. For more information about permissions, see [Using Bucket Policies and User Policies](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-iam-policies.html). + + If you include the `Filter` element in a replication configuration, you must also include the `DeleteMarkerReplication` and `Priority` elements. The response also returns those elements. + + For information about `GetBucketReplication` errors, see [List of replication-related error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ReplicationErrorCodeList) + + The following operations are related to `GetBucketReplication`: + + * [PutBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketReplication.html) + + * [DeleteBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketReplication.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketReplicationOutput' + put: + operationId: PutBucketReplication + description: "This operation is not supported for directory buckets.\n\nCreates\ + \ a replication configuration or replaces an existing one. For more information,\ + \ see [Replication](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication.html)\ + \ in the _Amazon S3 User Guide_.\n\nSpecify the replication configuration\ + \ in the request body. In the replication configuration, you provide the name\ + \ of the destination bucket or buckets where you want Amazon S3 to replicate\ + \ objects, the IAM role that Amazon S3 can assume to replicate objects on\ + \ your behalf, and other relevant information. You can invoke this request\ + \ for a specific Amazon Web Services Region by using the [ `aws:RequestedRegion`\ + \ ](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_condition-keys.html#condition-keys-requestedregion)\ + \ condition key.\n\nA replication configuration must include at least one\ + \ rule, and can contain a maximum of 1,000. Each rule identifies a subset\ + \ of objects to replicate by filtering the objects in the source bucket. To\ + \ choose additional subsets of objects to replicate, add a rule for each subset.\n\ + \nTo specify a subset of the objects in the source bucket to apply a replication\ + \ rule to, add the Filter element as a child of the Rule element. You can\ + \ filter objects based on an object key prefix, one or more object tags, or\ + \ both. When you add the Filter element in the configuration, you must also\ + \ add the following elements: `DeleteMarkerReplication`, `Status`, and `Priority`.\n\ + \nIf you are using an earlier version of the replication configuration, Amazon\ + \ S3 handles replication of delete markers differently. For more information,\ + \ see [Backward Compatibility](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication-add-config.html#replication-backward-compat-considerations).\n\ + \nFor information about enabling versioning on a bucket, see [Using Versioning](https://docs.aws.amazon.com/AmazonS3/latest/dev/Versioning.html).\n\ + \nHandling Replication of Encrypted Objects\n\n \n\nBy default, Amazon\ + \ S3 doesn't replicate objects that are stored at rest using server-side encryption\ + \ with KMS keys. To replicate Amazon Web Services KMS-encrypted objects, add\ + \ the following: `SourceSelectionCriteria`, `SseKmsEncryptedObjects`, `Status`,\ + \ `EncryptionConfiguration`, and `ReplicaKmsKeyID`. For information about\ + \ replication configuration, see [Replicating Objects Created with SSE Using\ + \ KMS keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication-config-for-kms-objects.html).\n\ + \nFor information on `PutBucketReplication` errors, see [List of replication-related\ + \ error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ReplicationErrorCodeList)\n\ + \nPermissions\n\n \n\nTo create a `PutBucketReplication` request, you must\ + \ have `s3:PutReplicationConfiguration` permissions for the bucket.\n\nBy\ + \ default, a resource owner, in this case the Amazon Web Services account\ + \ that created the bucket, can perform this operation. The resource owner\ + \ can also grant others permissions to perform the operation. For more information\ + \ about permissions, see [Specifying Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html)\ + \ and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html).\n\ + \nTo perform this operation, the user or role performing the action must have\ + \ the [iam:PassRole](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_passrole.html)\ + \ permission.\n\nThe following operations are related to `PutBucketReplication`:\n\ + \n * [GetBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketReplication.html)\n\ + \n * [DeleteBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketReplication.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-bucket-object-lock-token + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockToken' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/ReplicationConfiguration' + responses: + '200': + description: Success + /{Bucket}?tagging: + delete: + operationId: DeleteBucketTagging + description: |- + This operation is not supported for directory buckets. + + Deletes tags from the general purpose bucket if attribute based access control (ABAC) is not enabled for the bucket. When you [enable ABAC for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html), you can no longer use this operation for that bucket and must use [UntagResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_UntagResource.html) instead. + + if ABAC is not enabled for the bucket. When you [enable ABAC for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html), you can no longer use this operation for that bucket and must use [UntagResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_UntagResource.html) instead. + + To use this operation, you must have permission to perform the `s3:PutBucketTagging` action. By default, the bucket owner has this permission and can grant this permission to others. + + The following operations are related to `DeleteBucketTagging`: + + * [GetBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketTagging.html) + + * [PutBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketTagging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketTagging + description: |- + This operation is not supported for directory buckets. + + Returns the tag set associated with the general purpose bucket. + + if ABAC is not enabled for the bucket. When you [enable ABAC for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html), you can no longer use this operation for that bucket and must use [ListTagsForResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_ListTagsForResource.html) instead. + + To use this operation, you must have permission to perform the `s3:GetBucketTagging` action. By default, the bucket owner has this permission and can grant this permission to others. + + `GetBucketTagging` has the following special error: + + * Error code: `NoSuchTagSet` + + * Description: There is no tag set associated with the bucket. + + The following operations are related to `GetBucketTagging`: + + * [PutBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketTagging.html) + + * [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketTagging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketTaggingOutput' + put: + operationId: PutBucketTagging + description: |- + This operation is not supported for directory buckets. + + Sets the tags for a general purpose bucket if attribute based access control (ABAC) is not enabled for the bucket. When you [enable ABAC for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html), you can no longer use this operation for that bucket and must use the [TagResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_TagResource.html) or [UntagResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_UntagResource.html) operations instead. + + Use tags to organize your Amazon Web Services bill to reflect your own cost structure. To do this, sign up to get your Amazon Web Services account bill with tag key values included. Then, to see the cost of combined resources, organize your billing information according to resources with the same tag key values. For example, you can tag several resources with a specific application name, and then organize your billing information to see the total cost of that application across several services. For more information, see [Cost Allocation and Tagging](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) and [Using Cost Allocation in Amazon S3 Bucket Tags](https://docs.aws.amazon.com/AmazonS3/latest/userguide/CostAllocTagging.html). + + When this operation sets the tags for a bucket, it will overwrite any current tags the bucket already has. You cannot use this operation to add tags to an existing list of tags. + + To use this operation, you must have permissions to perform the `s3:PutBucketTagging` action. The bucket owner has this permission by default and can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + `PutBucketTagging` has the following special errors. For more Amazon S3 errors see, [Error Responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html). + + * `InvalidTag` \- The tag provided was not a valid tag. This error can occur if the tag did not pass input validation. For more information, see [Using Cost Allocation in Amazon S3 Bucket Tags](https://docs.aws.amazon.com/AmazonS3/latest/userguide/CostAllocTagging.html). + + * `MalformedXML` \- The XML provided does not match the schema. + + * `OperationAborted` \- A conflicting conditional action is currently in progress against this resource. Please try again. + + * `InternalError` \- The service was unable to apply the provided tag to the bucket. + + The following operations are related to `PutBucketTagging`: + + * [GetBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketTagging.html) + + * [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketTagging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/Tagging' + responses: + '200': + description: Success + /{Bucket}?website: + delete: + operationId: DeleteBucketWebsite + description: |- + This operation is not supported for directory buckets. + + This action removes the website configuration for a bucket. Amazon S3 returns a `200 OK` response upon successfully deleting a website configuration on the specified bucket. You will get a `200 OK` response if the website configuration you are trying to delete does not exist on the bucket. Amazon S3 returns a `404` response if the bucket specified in the request does not exist. + + This DELETE action requires the `S3:DeleteBucketWebsite` permission. By default, only the bucket owner can delete the website configuration attached to a bucket. However, bucket owners can grant other users permission to delete the website configuration by writing a bucket policy granting them the `S3:DeleteBucketWebsite` permission. + + For more information about hosting websites, see [Hosting Websites on Amazon S3](https://docs.aws.amazon.com/AmazonS3/latest/dev/WebsiteHosting.html). + + The following operations are related to `DeleteBucketWebsite`: + + * [GetBucketWebsite](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketWebsite.html) + + * [PutBucketWebsite](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketWebsite.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetBucketWebsite + description: |- + This operation is not supported for directory buckets. + + Returns the website configuration for a bucket. To host website on Amazon S3, you can configure a bucket as website by adding a website configuration. For more information about hosting websites, see [Hosting Websites on Amazon S3](https://docs.aws.amazon.com/AmazonS3/latest/dev/WebsiteHosting.html). + + This GET action requires the `S3:GetBucketWebsite` permission. By default, only the bucket owner can read the bucket website configuration. However, bucket owners can allow other users to read the website configuration by writing a bucket policy granting them the `S3:GetBucketWebsite` permission. + + The following operations are related to `GetBucketWebsite`: + + * [DeleteBucketWebsite](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketWebsite.html) + + * [PutBucketWebsite](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketWebsite.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketWebsiteOutput' + put: + operationId: PutBucketWebsite + description: |- + This operation is not supported for directory buckets. + + Sets the configuration of the website that is specified in the `website` subresource. To configure a bucket as a website, you can add this subresource on the bucket with website configuration information such as the file name of the index document and any redirect rules. For more information, see [Hosting Websites on Amazon S3](https://docs.aws.amazon.com/AmazonS3/latest/dev/WebsiteHosting.html). + + This PUT action requires the `S3:PutBucketWebsite` permission. By default, only the bucket owner can configure the website attached to a bucket; however, bucket owners can allow other users to set the website configuration by writing a bucket policy that grants them the `S3:PutBucketWebsite` permission. + + To redirect all website requests sent to the bucket's website endpoint, you add a website configuration with the following elements. Because all requests are sent to another website, you don't need to provide index document name for the bucket. + + * `WebsiteConfiguration` + + * `RedirectAllRequestsTo` + + * `HostName` + + * `Protocol` + + If you want granular control over redirects, you can use the following elements to add routing rules that describe conditions for redirecting requests and information about the redirect destination. In this case, the website configuration must provide an index document for the bucket, because some requests might not be redirected. + + * `WebsiteConfiguration` + + * `IndexDocument` + + * `Suffix` + + * `ErrorDocument` + + * `Key` + + * `RoutingRules` + + * `RoutingRule` + + * `Condition` + + * `HttpErrorCodeReturnedEquals` + + * `KeyPrefixEquals` + + * `Redirect` + + * `Protocol` + + * `HostName` + + * `ReplaceKeyPrefixWith` + + * `ReplaceKeyWith` + + * `HttpRedirectCode` + + Amazon S3 has a limitation of 50 routing rules per website configuration. If you require more than 50 routing rules, you can use object redirect. For more information, see [Configuring an Object Redirect](https://docs.aws.amazon.com/AmazonS3/latest/dev/how-to-page-redirect.html) in the _Amazon S3 User Guide_. + + The maximum request length is limited to 128 KB. + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/WebsiteConfiguration' + responses: + '200': + description: Success + /{Bucket}/{Key+}?x-id=DeleteObject: + delete: + operationId: DeleteObject + description: "Removes an object from a bucket. The behavior depends on the bucket's\ + \ versioning state:\n\n * If bucket versioning is not enabled, the operation\ + \ permanently deletes the object.\n\n * If bucket versioning is enabled,\ + \ the operation inserts a delete marker, which becomes the current version\ + \ of the object. To permanently delete an object in a versioned bucket, you\ + \ must include the object’s `versionId` in the request. For more information\ + \ about versioning-enabled buckets, see [Deleting object versions from a versioning-enabled\ + \ bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeletingObjectVersions.html).\n\ + \n * If bucket versioning is suspended, the operation removes the object\ + \ that has a null `versionId`, if there is one, and inserts a delete marker\ + \ that becomes the current version of the object. If there isn't an object\ + \ with a null `versionId`, and all versions of the object have a `versionId`,\ + \ Amazon S3 does not remove the object and only inserts a delete marker. To\ + \ permanently delete an object that has a `versionId`, you must include the\ + \ object’s `versionId` in the request. For more information about versioning-suspended\ + \ buckets, see [Deleting objects from versioning-suspended buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeletingObjectsfromVersioningSuspendedBuckets.html).\n\ + \n * **Directory buckets** \\- S3 Versioning isn't enabled and supported\ + \ for directory buckets. For this API operation, only the `null` value of\ + \ the version ID is supported by directory buckets. You can only specify `null`\ + \ to the `versionId` query parameter in the request.\n\n * **Directory buckets**\ + \ \\- For directory buckets, you must make requests for this API operation\ + \ to the Zonal endpoint. These endpoints support virtual-hosted-style requests\ + \ in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nTo remove a specific version, you must\ + \ use the `versionId` query parameter. Using this query parameter permanently\ + \ deletes the version. If the object deleted is a delete marker, Amazon S3\ + \ sets the response header `x-amz-delete-marker` to true.\n\nIf the object\ + \ you want to delete is in a bucket where the bucket versioning configuration\ + \ is MFA Delete enabled, you must include the `x-amz-mfa` request header in\ + \ the DELETE `versionId` request. Requests that include `x-amz-mfa` must use\ + \ HTTPS. For more information about MFA Delete, see [Using MFA Delete](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingMFADelete.html)\ + \ in the _Amazon S3 User Guide_. To see sample requests that use versioning,\ + \ see [Sample Request](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTObjectDELETE.html#ExampleVersionObjectDelete).\n\ + \n**Directory buckets** \\- MFA delete is not supported by directory buckets.\n\ + \nYou can delete objects by explicitly calling DELETE Object or calling ([PutBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycle.html))\ + \ to enable Amazon S3 to remove them for you. If you want to block users or\ + \ accounts from removing or deleting objects from your bucket, you must deny\ + \ them the `s3:DeleteObject`, `s3:DeleteObjectVersion`, and `s3:PutLifeCycleConfiguration`\ + \ actions.\n\n**Directory buckets** \\- S3 Lifecycle is not supported by directory\ + \ buckets.\n\nPermissions\n\n \n\n * **General purpose bucket permissions**\ + \ \\- The following permissions are required in your policies when your `DeleteObjects`\ + \ request includes specific headers.\n\n * **`s3:DeleteObject` ** \\- To\ + \ delete an object from a bucket, you must always have the `s3:DeleteObject`\ + \ permission.\n\n * **`s3:DeleteObjectVersion` ** \\- To delete a specific\ + \ version of an object from a versioning-enabled bucket, you must have the\ + \ `s3:DeleteObjectVersion` permission.\n\nIf the `s3:DeleteObject` or `s3:DeleteObjectVersion`\ + \ permissions are explicitly denied in your bucket policy, attempts to delete\ + \ any unversioned objects result in a `403 Access Denied` error.\n\n * **Directory\ + \ bucket permissions** \\- To grant access to this API operation on a directory\ + \ bucket, we recommend that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nHTTP Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host\ + \ header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following action is related to `DeleteObject`:\n\n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`.\n\nThe `If-Match`\ + \ header is supported for both general purpose and directory buckets. `IfMatchLastModifiedTime`\ + \ and `IfMatchSize` is only supported for directory buckets." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-mfa + in: header + required: false + schema: + $ref: '#/components/schemas/MFA' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-bypass-governance-retention + in: header + required: false + schema: + $ref: '#/components/schemas/BypassGovernanceRetention' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: x-amz-if-match-last-modified-time + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatchLastModifiedTime' + - name: x-amz-if-match-size + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatchSize' + responses: + '204': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteObjectOutput' + /{Bucket}/{Key+}?tagging: + delete: + operationId: DeleteObjectTagging + description: |- + This operation is not supported for directory buckets. + + Removes the entire tag set from the specified object. For more information about managing object tags, see [ Object Tagging](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-tagging.html). + + To use this operation, you must have permission to perform the `s3:DeleteObjectTagging` action. + + To delete tags of a specific object version, add the `versionId` query parameter in the request. You will need permission for the `s3:DeleteObjectVersionTagging` action. + + The following operations are related to `DeleteObjectTagging`: + + * [PutObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObjectTagging.html) + + * [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteObjectTaggingOutput' + get: + operationId: GetObjectTagging + description: |- + This operation is not supported for directory buckets. + + Returns the tag-set of an object. You send the GET request against the tagging subresource associated with the object. + + To use this operation, you must have permission to perform the `s3:GetObjectTagging` action. By default, the GET action returns information about current version of an object. For a versioned bucket, you can have multiple versions of an object in your bucket. To retrieve tags of any other version, use the versionId query parameter. You also need permission for the `s3:GetObjectVersionTagging` action. + + By default, the bucket owner has this permission and can grant this permission to others. + + For information about the Amazon S3 object tagging feature, see [Object Tagging](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-tagging.html). + + The following actions are related to `GetObjectTagging`: + + * [DeleteObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObjectTagging.html) + + * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) + + * [PutObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObjectTagging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectTaggingOutput' + put: + operationId: PutObjectTagging + description: |- + This operation is not supported for directory buckets. + + Sets the supplied tag-set to an object that already exists in a bucket. A tag is a key-value pair. For more information, see [Object Tagging](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-tagging.html). + + You can associate tags with an object by sending a PUT request against the tagging subresource that is associated with the object. You can retrieve tags by sending a GET request. For more information, see [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html). + + For tagging-related restrictions related to characters and encodings, see [Tag Restrictions](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/allocation-tag-restrictions.html). Note that Amazon S3 limits the maximum number of tags to 10 tags per object. + + To use this operation, you must have permission to perform the `s3:PutObjectTagging` action. By default, the bucket owner has this permission and can grant this permission to others. + + To put tags of any other version, use the `versionId` query parameter. You also need permission for the `s3:PutObjectVersionTagging` action. + + `PutObjectTagging` has the following special errors. For more Amazon S3 errors see, [Error Responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html). + + * `InvalidTag` \- The tag provided was not a valid tag. This error can occur if the tag did not pass input validation. For more information, see [Object Tagging](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-tagging.html). + + * `MalformedXML` \- The XML provided does not match the schema. + + * `OperationAborted` \- A conflicting conditional action is currently in progress against this resource. Please try again. + + * `InternalError` \- The service was unable to apply the provided tag to the object. + + The following operations are related to `PutObjectTagging`: + + * [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html) + + * [DeleteObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObjectTagging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/Tagging' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutObjectTaggingOutput' + /{Bucket}?delete: + post: + operationId: DeleteObjects + description: "This operation enables you to delete multiple objects from a bucket\ + \ using a single HTTP request. If you know the object keys that you want to\ + \ delete, then this operation provides a suitable alternative to sending individual\ + \ delete requests, reducing per-request overhead.\n\nThe request can contain\ + \ a list of up to 1,000 keys that you want to delete. In the XML, you provide\ + \ the object key names, and optionally, version IDs if you want to delete\ + \ a specific version of the object from a versioning-enabled bucket. For each\ + \ key, Amazon S3 performs a delete operation and returns the result of that\ + \ delete, success or failure, in the response. If the object specified in\ + \ the request isn't found, Amazon S3 confirms the deletion by returning the\ + \ result as deleted.\n\n * **Directory buckets** \\- S3 Versioning isn't\ + \ enabled and supported for directory buckets.\n\n * **Directory buckets**\ + \ \\- For directory buckets, you must make requests for this API operation\ + \ to the Zonal endpoint. These endpoints support virtual-hosted-style requests\ + \ in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe operation supports two modes for the\ + \ response: verbose and quiet. By default, the operation uses verbose mode\ + \ in which the response includes the result of deletion of each key in your\ + \ request. In quiet mode the response includes only keys where the delete\ + \ operation encountered an error. For a successful deletion in a quiet mode,\ + \ the operation does not return any information about the delete in the response\ + \ body.\n\nWhen performing this action on an MFA Delete enabled bucket, that\ + \ attempts to delete any versioned objects, you must include an MFA token.\ + \ If you do not provide one, the entire request will fail, even if there are\ + \ non-versioned objects you are trying to delete. If you provide an invalid\ + \ token, whether there are versioned keys in the request or not, the entire\ + \ Multi-Object Delete request will fail. For information about MFA Delete,\ + \ see [MFA Delete](https://docs.aws.amazon.com/AmazonS3/latest/dev/Versioning.html#MultiFactorAuthenticationDelete)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- MFA delete is\ + \ not supported by directory buckets.\n\nPermissions\n\n \n\n * **General\ + \ purpose bucket permissions** \\- The following permissions are required\ + \ in your policies when your `DeleteObjects` request includes specific headers.\n\ + \n * **`s3:DeleteObject` ** \\- To delete an object from a bucket, you\ + \ must always specify the `s3:DeleteObject` permission.\n\n * **`s3:DeleteObjectVersion`\ + \ ** \\- To delete a specific version of an object from a versioning-enabled\ + \ bucket, you must specify the `s3:DeleteObjectVersion` permission.\n\nIf\ + \ the `s3:DeleteObject` or `s3:DeleteObjectVersion` permissions are explicitly\ + \ denied in your bucket policy, attempts to delete any unversioned objects\ + \ result in a `403 Access Denied` error.\n\n * **Directory bucket permissions**\ + \ \\- To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nContent-MD5 request header\n\n \n\n * **General purpose bucket** \\\ + - The Content-MD5 request header is required for all Multi-Object Delete requests.\ + \ Amazon S3 uses the header value to ensure that your request body has not\ + \ been altered in transit.\n\n * **Directory bucket** \\- The Content-MD5\ + \ request header or a additional checksum request header (including `x-amz-checksum-crc32`,\ + \ `x-amz-checksum-crc32c`, `x-amz-checksum-sha1`, or `x-amz-checksum-sha256`)\ + \ is required for all Multi-Object Delete requests.\n\nHTTP Host header syntax\n\ + \n \n\n**Directory buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `DeleteObjects`:\n\n * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-mfa + in: header + required: false + schema: + $ref: '#/components/schemas/MFA' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-bypass-governance-retention + in: header + required: false + schema: + $ref: '#/components/schemas/BypassGovernanceRetention' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/Delete' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/DeleteObjectsOutput' + /{Bucket}?publicAccessBlock: + delete: + operationId: DeletePublicAccessBlock + description: |- + This operation is not supported for directory buckets. + + Removes the `PublicAccessBlock` configuration for an Amazon S3 bucket. This operation removes the bucket-level configuration only. The effective public access behavior will still be governed by account-level settings (which may inherit from organization-level policies). To use this operation, you must have the `s3:PutBucketPublicAccessBlock` permission. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + The following operations are related to `DeletePublicAccessBlock`: + + * [Using Amazon S3 Block Public Access](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html) + + * [GetPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetPublicAccessBlock.html) + + * [PutPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutPublicAccessBlock.html) + + * [GetBucketPolicyStatus](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketPolicyStatus.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '204': + description: Success + get: + operationId: GetPublicAccessBlock + description: |- + This operation is not supported for directory buckets. + + Retrieves the `PublicAccessBlock` configuration for an Amazon S3 bucket. This operation returns the bucket-level configuration only. To understand the effective public access behavior, you must also consider account-level settings (which may inherit from organization-level policies). To use this operation, you must have the `s3:GetBucketPublicAccessBlock` permission. For more information about Amazon S3 permissions, see [Specifying Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html). + + When Amazon S3 evaluates the `PublicAccessBlock` configuration for a bucket or an object, it checks the `PublicAccessBlock` configuration for both the bucket (or the bucket that contains the object) and the bucket owner's account. Account-level settings automatically inherit from organization-level policies when present. If the `PublicAccessBlock` settings are different between the bucket and the account, Amazon S3 uses the most restrictive combination of the bucket-level and account-level settings. + + For more information about when Amazon S3 considers a bucket or an object public, see [The Meaning of "Public"](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html#access-control-block-public-access-policy-status). + + The following operations are related to `GetPublicAccessBlock`: + + * [Using Amazon S3 Block Public Access](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html) + + * [PutPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutPublicAccessBlock.html) + + * [GetPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetPublicAccessBlock.html) + + * [DeletePublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeletePublicAccessBlock.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetPublicAccessBlockOutput' + put: + operationId: PutPublicAccessBlock + description: |- + This operation is not supported for directory buckets. + + Creates or modifies the `PublicAccessBlock` configuration for an Amazon S3 bucket. To use this operation, you must have the `s3:PutBucketPublicAccessBlock` permission. For more information about Amazon S3 permissions, see [Specifying Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html). + + When Amazon S3 evaluates the `PublicAccessBlock` configuration for a bucket or an object, it checks the `PublicAccessBlock` configuration for both the bucket (or the bucket that contains the object) and the bucket owner's account. Account-level settings automatically inherit from organization-level policies when present. If the `PublicAccessBlock` configurations are different between the bucket and the account, Amazon S3 uses the most restrictive combination of the bucket-level and account-level settings. + + For more information about when Amazon S3 considers a bucket or an object public, see [The Meaning of "Public"](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html#access-control-block-public-access-policy-status). + + The following operations are related to `PutPublicAccessBlock`: + + * [GetPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetPublicAccessBlock.html) + + * [DeletePublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeletePublicAccessBlock.html) + + * [GetBucketPolicyStatus](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketPolicyStatus.html) + + * [Using Amazon S3 Block Public Access](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/PublicAccessBlockConfiguration' + responses: + '200': + description: Success + /?abac: + servers: + - url: 'https://{Bucket}.s3-{region}.amazonaws.com' + variables: + Bucket: + default: stackql-trial-bucket-02 + region: + default: us-east-1 + get: + operationId: GetBucketAbac + description: |- + Returns the attribute-based access control (ABAC) property of the general purpose bucket. If ABAC is enabled on your bucket, you can use tags on the bucket for access control. For more information, see [Enabling ABAC in general purpose buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html). + parameters: + - name: x-amz-content-sha256 + in: header + required: false + schema: + type: string + default: e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855 + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketAbacOutput' + put: + operationId: PutBucketAbac + description: |- + Sets the attribute-based access control (ABAC) property of the general purpose bucket. You must have `s3:PutBucketABAC` permission to perform this action. When you enable ABAC, you can use tags for access control on your buckets. Additionally, when ABAC is enabled, you must use the [TagResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_UntagResource.html) actions to manage tags on your buckets. You can nolonger use the [PutBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketTagging.html) and [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketTagging.html) actions to tag your bucket. For more information, see [Enabling ABAC in general purpose buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html). + parameters: + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/AbacStatus' + responses: + '200': + description: Success + /{Bucket}?accelerate: + get: + operationId: GetBucketAccelerateConfiguration + description: |- + This operation is not supported for directory buckets. + + This implementation of the GET action uses the `accelerate` subresource to return the Transfer Acceleration state of a bucket, which is either `Enabled` or `Suspended`. Amazon S3 Transfer Acceleration is a bucket-level feature that enables you to perform faster data transfers to and from Amazon S3. + + To use this operation, you must have permission to perform the `s3:GetAccelerateConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html) in the _Amazon S3 User Guide_. + + You set the Transfer Acceleration state of an existing bucket to `Enabled` or `Suspended` by using the [PutBucketAccelerateConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAccelerateConfiguration.html) operation. + + A GET `accelerate` request does not return a state value for a bucket that has no transfer acceleration state. A bucket has no Transfer Acceleration state if a state has never been set on the bucket. + + For more information about transfer acceleration, see [Transfer Acceleration](https://docs.aws.amazon.com/AmazonS3/latest/dev/transfer-acceleration.html) in the Amazon S3 User Guide. + + The following operations are related to `GetBucketAccelerateConfiguration`: + + * [PutBucketAccelerateConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAccelerateConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketAccelerateConfigurationOutput' + put: + operationId: PutBucketAccelerateConfiguration + description: |- + This operation is not supported for directory buckets. + + Sets the accelerate configuration of an existing bucket. Amazon S3 Transfer Acceleration is a bucket-level feature that enables you to perform faster data transfers to Amazon S3. + + To use this operation, you must have permission to perform the `s3:PutAccelerateConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + The Transfer Acceleration state of a bucket can be set to one of the following two values: + + * Enabled – Enables accelerated data transfers to the bucket. + + * Suspended – Disables accelerated data transfers to the bucket. + + The [GetBucketAccelerateConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketAccelerateConfiguration.html) action returns the transfer acceleration state of a bucket. + + After setting the Transfer Acceleration state of a bucket to Enabled, it might take up to thirty minutes before the data transfer rates to the bucket increase. + + The name of the bucket used for Transfer Acceleration must be DNS-compliant and must not contain periods ("."). + + For more information about transfer acceleration, see [Transfer Acceleration](https://docs.aws.amazon.com/AmazonS3/latest/dev/transfer-acceleration.html). + + The following operations are related to `PutBucketAccelerateConfiguration`: + + * [GetBucketAccelerateConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketAccelerateConfiguration.html) + + * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/AccelerateConfiguration' + responses: + '200': + description: Success + /{Bucket}?acl: + get: + operationId: GetBucketAcl + description: |- + This operation is not supported for directory buckets. + + This implementation of the `GET` action uses the `acl` subresource to return the access control list (ACL) of a bucket. To use `GET` to return the ACL of the bucket, you must have the `READ_ACP` access to the bucket. If `READ_ACP` permission is granted to the anonymous user, you can return the ACL of the bucket without using an authorization header. + + When you use this API operation with an access point, provide the alias of the access point in place of the bucket name. + + When you use this API operation with an Object Lambda access point, provide the alias of the Object Lambda access point in place of the bucket name. If the Object Lambda access point alias in a request is not valid, the error code `InvalidAccessPointAliasError` is returned. For more information about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + If your bucket uses the bucket owner enforced setting for S3 Object Ownership, requests to read ACLs are still supported and return the `bucket-owner-full-control` ACL with the owner being the account that created the bucket. For more information, see [ Controlling object ownership and disabling ACLs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html) in the _Amazon S3 User Guide_. + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + + The following operations are related to `GetBucketAcl`: + + * [ListObjects](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjects.html) + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketAclOutput' + put: + operationId: PutBucketAcl + description: "End of support notice: As of October 1, 2025, Amazon S3 has discontinued\ + \ support for Email Grantee Access Control Lists (ACLs). If you attempt to\ + \ use an Email Grantee ACL in a request after October 1, 2025, the request\ + \ will receive an `HTTP 405` (Method Not Allowed) error.\n\nThis change affects\ + \ the following Amazon Web Services Regions: US East (N. Virginia), US West\ + \ (N. California), US West (Oregon), Asia Pacific (Singapore), Asia Pacific\ + \ (Sydney), Asia Pacific (Tokyo), Europe (Ireland), and South America (São\ + \ Paulo).\n\nThis operation is not supported for directory buckets.\n\nSets\ + \ the permissions on an existing bucket using access control lists (ACL).\ + \ For more information, see [Using ACLs](https://docs.aws.amazon.com/AmazonS3/latest/dev/S3_ACLs_UsingACLs.html).\ + \ To set the ACL of a bucket, you must have the `WRITE_ACP` permission.\n\n\ + You can use one of the following two ways to set a bucket's permissions:\n\ + \n * Specify the ACL in the request body\n\n * Specify permissions using\ + \ request headers\n\nYou cannot specify access permission using both the body\ + \ and the request headers.\n\nDepending on your application needs, you may\ + \ choose to set the ACL on a bucket using either the request body or the headers.\ + \ For example, if you have an existing application that updates a bucket ACL\ + \ using the request body, then you can continue to use that approach.\n\n\ + If your bucket uses the bucket owner enforced setting for S3 Object Ownership,\ + \ ACLs are disabled and no longer affect permissions. You must use policies\ + \ to grant access to your bucket and the objects in it. Requests to set ACLs\ + \ or update ACLs fail and return the `AccessControlListNotSupported` error\ + \ code. Requests to read ACLs are still supported. For more information, see\ + \ [Controlling object ownership](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nYou can set access\ + \ permissions by using one of the following methods:\n\n * Specify a canned\ + \ ACL with the `x-amz-acl` request header. Amazon S3 supports a set of predefined\ + \ ACLs, known as _canned ACLs_. Each canned ACL has a predefined set of grantees\ + \ and permissions. Specify the canned ACL name as the value of `x-amz-acl`.\ + \ If you use this header, you cannot use other access control-specific headers\ + \ in your request. For more information, see [Canned ACL](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html#CannedACL).\n\ + \n * Specify access permissions explicitly with the `x-amz-grant-read`, `x-amz-grant-read-acp`,\ + \ `x-amz-grant-write-acp`, and `x-amz-grant-full-control` headers. When using\ + \ these headers, you specify explicit access permissions and grantees (Amazon\ + \ Web Services accounts or Amazon S3 groups) who will receive the permission.\ + \ If you use these ACL-specific headers, you cannot use the `x-amz-acl` header\ + \ to set a canned ACL. These parameters map to the set of permissions that\ + \ Amazon S3 supports in an ACL. For more information, see [Access Control\ + \ List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html).\n\ + \nYou specify each grantee as a type=value pair, where the type is one of\ + \ the following:\n\n * `id` – if the value specified is the canonical user\ + \ ID of an Amazon Web Services account\n\n * `uri` – if you are granting\ + \ permissions to a predefined group\n\n * `emailAddress` – if the value\ + \ specified is the email address of an Amazon Web Services account\n\nUsing\ + \ email addresses to specify a grantee is only supported in the following\ + \ Amazon Web Services Regions:\n\n * US East (N. Virginia)\n\n *\ + \ US West (N. California)\n\n * US West (Oregon)\n\n * Asia Pacific\ + \ (Singapore)\n\n * Asia Pacific (Sydney)\n\n * Asia Pacific (Tokyo)\n\ + \n * Europe (Ireland)\n\n * South America (São Paulo)\n\nFor a list\ + \ of all the Amazon S3 supported Regions and endpoints, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nFor example, the following\ + \ `x-amz-grant-write` header grants create, overwrite, and delete objects\ + \ permission to LogDelivery group predefined by Amazon S3 and two Amazon Web\ + \ Services accounts identified by their email addresses.\n\n`x-amz-grant-write:\ + \ uri=\"http://acs.amazonaws.com/groups/s3/LogDelivery\", id=\"111122223333\"\ + , id=\"555566667777\" `\n\nYou can use either a canned ACL or specify access\ + \ permissions explicitly. You cannot do both.\n\nGrantee Values\n\n \n\n\ + You can specify the person (grantee) to whom you're assigning access rights\ + \ (using request elements) in the following ways. For examples of how to specify\ + \ these grantee values in JSON format, see the Amazon Web Services CLI example\ + \ in [ Enabling Amazon S3 server access logging](https://docs.aws.amazon.com/AmazonS3/latest/userguide/enable-server-access-logging.html)\ + \ in the _Amazon S3 User Guide_.\n\n * By the person's ID:\n\n`<>ID<><>GranteesEmail<>\ + \ `\n\nDisplayName is optional and ignored in the request\n\n * By URI:\n\ + \n`<>http://acs.amazonaws.com/groups/global/AuthenticatedUsers<>`\n\n * By\ + \ Email address:\n\n`<>Grantees@email.com<>&`\n\nThe grantee is resolved to\ + \ the CanonicalUser and, in a response to a GET Object acl request, appears\ + \ as the CanonicalUser.\n\nUsing email addresses to specify a grantee is only\ + \ supported in the following Amazon Web Services Regions:\n\n * US East\ + \ (N. Virginia)\n\n * US West (N. California)\n\n * US West (Oregon)\n\ + \n * Asia Pacific (Singapore)\n\n * Asia Pacific (Sydney)\n\n * Asia\ + \ Pacific (Tokyo)\n\n * Europe (Ireland)\n\n * South America (São Paulo)\n\ + \nFor a list of all the Amazon S3 supported Regions and endpoints, see [Regions\ + \ and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nThe following operations\ + \ are related to `PutBucketAcl`:\n\n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \n * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html)\n\ + \n * [GetObjectAcl](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAcl.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-acl + in: header + required: false + schema: + $ref: '#/components/schemas/BucketCannedACL' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-grant-full-control + in: header + required: false + schema: + $ref: '#/components/schemas/GrantFullControl' + - name: x-amz-grant-read + in: header + required: false + schema: + $ref: '#/components/schemas/GrantRead' + - name: x-amz-grant-read-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantReadACP' + - name: x-amz-grant-write + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWrite' + - name: x-amz-grant-write-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWriteACP' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/AccessControlPolicy' + responses: + '200': + description: Success + /{Bucket}?analytics&x-id=GetBucketAnalyticsConfiguration: + get: + operationId: GetBucketAnalyticsConfiguration + description: |- + This operation is not supported for directory buckets. + + This implementation of the GET action returns an analytics configuration (identified by the analytics configuration ID) from the bucket. + + To use this operation, you must have permissions to perform the `s3:GetAnalyticsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [ Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html) in the _Amazon S3 User Guide_. + + For information about Amazon S3 analytics feature, see [Amazon S3 Analytics – Storage Class Analysis](https://docs.aws.amazon.com/AmazonS3/latest/dev/analytics-storage-class.html) in the _Amazon S3 User Guide_. + + The following operations are related to `GetBucketAnalyticsConfiguration`: + + * [DeleteBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketAnalyticsConfiguration.html) + + * [ListBucketAnalyticsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketAnalyticsConfigurations.html) + + * [PutBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAnalyticsConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/AnalyticsId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketAnalyticsConfigurationOutput' + /{Bucket}?intelligent-tiering&x-id=GetBucketIntelligentTieringConfiguration: + get: + operationId: GetBucketIntelligentTieringConfiguration + description: |- + This operation is not supported for directory buckets. + + Gets the S3 Intelligent-Tiering configuration from the specified bucket. + + The S3 Intelligent-Tiering storage class is designed to optimize storage costs by automatically moving data to the most cost-effective storage access tier, without performance impact or operational overhead. S3 Intelligent-Tiering delivers automatic cost savings in three low latency and high throughput access tiers. To get the lowest storage cost on data that can be accessed in minutes to hours, you can choose to activate additional archiving capabilities. + + The S3 Intelligent-Tiering storage class is the ideal storage class for data with unknown, changing, or unpredictable access patterns, independent of object size or retention period. If the size of an object is less than 128 KB, it is not monitored and not eligible for auto-tiering. Smaller objects can be stored, but they are always charged at the Frequent Access tier rates in the S3 Intelligent-Tiering storage class. + + For more information, see [Storage class for automatically optimizing frequently and infrequently accessed objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html#sc-dynamic-data-access). + + Operations related to `GetBucketIntelligentTieringConfiguration` include: + + * [DeleteBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketIntelligentTieringConfiguration.html) + + * [PutBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketIntelligentTieringConfiguration.html) + + * [ListBucketIntelligentTieringConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketIntelligentTieringConfigurations.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/IntelligentTieringId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketIntelligentTieringConfigurationOutput' + /{Bucket}?inventory&x-id=GetBucketInventoryConfiguration: + get: + operationId: GetBucketInventoryConfiguration + description: |- + This operation is not supported for directory buckets. + + Returns an S3 Inventory configuration (identified by the inventory configuration ID) from the bucket. + + To use this operation, you must have permissions to perform the `s3:GetInventoryConfiguration` action. The bucket owner has this permission by default and can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about the Amazon S3 inventory feature, see [Amazon S3 Inventory](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-inventory.html). + + The following operations are related to `GetBucketInventoryConfiguration`: + + * [DeleteBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketInventoryConfiguration.html) + + * [ListBucketInventoryConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketInventoryConfigurations.html) + + * [PutBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketInventoryConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/InventoryId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketInventoryConfigurationOutput' + /?location: + servers: + - url: https://{Bucket}.s3.{region}.amazonaws.com + variables: + region: + default: us-east-1 + Bucket: + default: example-bucket + get: + operationId: GetBucketLocation + description: |- + Using the `GetBucketLocation` operation is no longer a best practice. To return the Region that a bucket resides in, we recommend that you use the [HeadBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_HeadBucket.html) operation instead. For backward compatibility, Amazon S3 continues to support the `GetBucketLocation` operation. + + Returns the Region the bucket resides in. You set the bucket's Region using the `LocationConstraint` request parameter in a `CreateBucket` request. For more information, see [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html). + + In a bucket's home Region, calls to the `GetBucketLocation` operation are governed by the bucket's policy. In other Regions, the bucket policy doesn't apply, which means that cross-account access won't be authorized. However, calls to the `HeadBucket` operation always return the bucket’s location through an HTTP response header, whether access to the bucket is authorized or not. Therefore, we recommend using the `HeadBucket` operation for bucket Region discovery and to avoid using the `GetBucketLocation` operation. + + When you use this API operation with an access point, provide the alias of the access point in place of the bucket name. + + When you use this API operation with an Object Lambda access point, provide the alias of the Object Lambda access point in place of the bucket name. If the Object Lambda access point alias in a request is not valid, the error code `InvalidAccessPointAliasError` is returned. For more information about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + This operation is not supported for directory buckets. + + The following operations are related to `GetBucketLocation`: + + * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) + + * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: x-amz-content-sha256 + in: header + required: false + schema: + type: string + default: e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855 + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketLocationOutput' + /{Bucket}?logging: + get: + operationId: GetBucketLogging + description: |- + This operation is not supported for directory buckets. + + Returns the logging status of a bucket and the permissions users have to view and modify that status. + + The following operations are related to `GetBucketLogging`: + + * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) + + * [PutBucketLogging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLogging.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketLoggingOutput' + put: + operationId: PutBucketLogging + description: "End of support notice: As of October 1, 2025, Amazon S3 has discontinued\ + \ support for Email Grantee Access Control Lists (ACLs). If you attempt to\ + \ use an Email Grantee ACL in a request after October 1, 2025, the request\ + \ will receive an `HTTP 405` (Method Not Allowed) error.\n\nThis change affects\ + \ the following Amazon Web Services Regions: US East (N. Virginia), US West\ + \ (N. California), US West (Oregon), Asia Pacific (Singapore), Asia Pacific\ + \ (Sydney), Asia Pacific (Tokyo), Europe (Ireland), and South America (São\ + \ Paulo).\n\nThis operation is not supported for directory buckets.\n\nSet\ + \ the logging parameters for a bucket and to specify permissions for who can\ + \ view and modify the logging parameters. All logs are saved to buckets in\ + \ the same Amazon Web Services Region as the source bucket. To set the logging\ + \ status of a bucket, you must be the bucket owner.\n\nThe bucket owner is\ + \ automatically granted FULL_CONTROL to all logs. You use the `Grantee` request\ + \ element to grant access to other people. The `Permissions` request element\ + \ specifies the kind of access the grantee has to the logs.\n\nIf the target\ + \ bucket for log delivery uses the bucket owner enforced setting for S3 Object\ + \ Ownership, you can't use the `Grantee` request element to grant access to\ + \ others. Permissions can only be granted using policies. For more information,\ + \ see [Permissions for server access log delivery](https://docs.aws.amazon.com/AmazonS3/latest/userguide/enable-server-access-logging.html#grant-log-delivery-permissions-general)\ + \ in the _Amazon S3 User Guide_.\n\nGrantee Values\n\n \n\nYou can specify\ + \ the person (grantee) to whom you're assigning access rights (by using request\ + \ elements) in the following ways. For examples of how to specify these grantee\ + \ values in JSON format, see the Amazon Web Services CLI example in [ Enabling\ + \ Amazon S3 server access logging](https://docs.aws.amazon.com/AmazonS3/latest/userguide/enable-server-access-logging.html)\ + \ in the _Amazon S3 User Guide_.\n\n * By the person's ID:\n\n`<>ID<><>GranteesEmail<>\ + \ `\n\n`DisplayName` is optional and ignored in the request.\n\n * By Email\ + \ address:\n\n` <>Grantees@email.com<>`\n\nThe grantee is resolved to the\ + \ `CanonicalUser` and, in a response to a `GETObjectAcl` request, appears\ + \ as the CanonicalUser.\n\n * By URI:\n\n`<>http://acs.amazonaws.com/groups/global/AuthenticatedUsers<>`\n\ + \nTo enable logging, you use `LoggingEnabled` and its children request elements.\ + \ To disable logging, you use an empty `BucketLoggingStatus` request element:\n\ + \n``\n\nFor more information about server access logging, see [Server Access\ + \ Logging](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ServerLogs.html)\ + \ in the _Amazon S3 User Guide_.\n\nFor more information about creating a\ + \ bucket, see [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html).\ + \ For more information about returning the logging status of a bucket, see\ + \ [GetBucketLogging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLogging.html).\n\ + \nThe following operations are related to `PutBucketLogging`:\n\n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \n * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html)\n\ + \n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \n * [GetBucketLogging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLogging.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/BucketLoggingStatus' + responses: + '200': + description: Success + /{Bucket}?metrics&x-id=GetBucketMetricsConfiguration: + get: + operationId: GetBucketMetricsConfiguration + description: |- + This operation is not supported for directory buckets. + + Gets a metrics configuration (specified by the metrics configuration ID) from the bucket. Note that this doesn't include the daily storage metrics. + + To use this operation, you must have permissions to perform the `s3:GetMetricsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about CloudWatch request metrics for Amazon S3, see [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html). + + The following operations are related to `GetBucketMetricsConfiguration`: + + * [PutBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketMetricsConfiguration.html) + + * [DeleteBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetricsConfiguration.html) + + * [ListBucketMetricsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketMetricsConfigurations.html) + + * [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: id + in: query + required: true + schema: + $ref: '#/components/schemas/MetricsId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketMetricsConfigurationOutput' + /{Bucket}?notification: + get: + operationId: GetBucketNotificationConfiguration + description: |- + This operation is not supported for directory buckets. + + Returns the notification configuration of a bucket. + + If notifications are not enabled on the bucket, the action returns an empty `NotificationConfiguration` element. + + By default, you must be the bucket owner to read the notification configuration of a bucket. However, the bucket owner can use a bucket policy to grant permission to other users to read this configuration with the `s3:GetBucketNotification` permission. + + When you use this API operation with an access point, provide the alias of the access point in place of the bucket name. + + When you use this API operation with an Object Lambda access point, provide the alias of the Object Lambda access point in place of the bucket name. If the Object Lambda access point alias in a request is not valid, the error code `InvalidAccessPointAliasError` is returned. For more information about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + For more information about setting and reading the notification configuration on a bucket, see [Setting Up Notification of Bucket Events](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html). For more information about bucket policies, see [Using Bucket Policies](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-iam-policies.html). + + The following action is related to `GetBucketNotification`: + + * [PutBucketNotification](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketNotification.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/NotificationConfiguration' + put: + operationId: PutBucketNotificationConfiguration + description: |- + This operation is not supported for directory buckets. + + Enables notifications of specified events for a bucket. For more information about event notifications, see [Configuring Event Notifications](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html). + + Using this API, you can replace an existing notification configuration. The configuration is an XML file that defines the event types that you want Amazon S3 to publish and the destination where you want Amazon S3 to publish an event notification when it detects an event of the specified type. + + By default, your bucket has no event notifications configured. That is, the notification configuration will be an empty `NotificationConfiguration`. + + `` + + `` + + This action replaces the existing notification configuration with the configuration you include in the request body. + + After Amazon S3 receives this request, it first verifies that any Amazon Simple Notification Service (Amazon SNS) or Amazon Simple Queue Service (Amazon SQS) destination exists, and that the bucket owner has permission to publish to it by sending a test notification. In the case of Lambda destinations, Amazon S3 verifies that the Lambda function permissions grant Amazon S3 permission to invoke the function from the Amazon S3 bucket. For more information, see [Configuring Notifications for Amazon S3 Events](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html). + + You can disable notifications by adding the empty NotificationConfiguration element. + + For more information about the number of event notification configurations that you can create per bucket, see [Amazon S3 service quotas](https://docs.aws.amazon.com/general/latest/gr/s3.html#limits_s3) in _Amazon Web Services General Reference_. + + By default, only the bucket owner can configure notifications on a bucket. However, bucket owners can use a bucket policy to grant permission to other users to set this configuration with the required `s3:PutBucketNotification` permission. + + The PUT notification is an atomic operation. For example, suppose your notification configuration includes SNS topic, SQS queue, and Lambda function configurations. When you send a PUT request with this configuration, Amazon S3 sends test messages to your SNS topic. If the message fails, the entire PUT action will fail, and Amazon S3 will not add the configuration to your bucket. + + If the configuration in the request body includes only one `TopicConfiguration` specifying only the `s3:ReducedRedundancyLostObject` event type, the response will also include the `x-amz-sns-test-message-id` header containing the message ID of the test notification sent to the topic. + + The following action is related to `PutBucketNotificationConfiguration`: + + * [GetBucketNotificationConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketNotificationConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-skip-destination-validation + in: header + required: false + schema: + $ref: '#/components/schemas/SkipValidation' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/NotificationConfiguration' + responses: + '200': + description: Success + /{Bucket}?policyStatus: + get: + operationId: GetBucketPolicyStatus + description: |- + This operation is not supported for directory buckets. + + Retrieves the policy status for an Amazon S3 bucket, indicating whether the bucket is public. In order to use this operation, you must have the `s3:GetBucketPolicyStatus` permission. For more information about Amazon S3 permissions, see [Specifying Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html). + + For more information about when Amazon S3 considers a bucket public, see [The Meaning of "Public"](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html#access-control-block-public-access-policy-status). + + The following operations are related to `GetBucketPolicyStatus`: + + * [Using Amazon S3 Block Public Access](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html) + + * [GetPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetPublicAccessBlock.html) + + * [PutPublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutPublicAccessBlock.html) + + * [DeletePublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeletePublicAccessBlock.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketPolicyStatusOutput' + /{Bucket}?requestPayment: + get: + operationId: GetBucketRequestPayment + description: |- + This operation is not supported for directory buckets. + + Returns the request payment configuration of a bucket. To use this version of the operation, you must be the bucket owner. For more information, see [Requester Pays Buckets](https://docs.aws.amazon.com/AmazonS3/latest/dev/RequesterPaysBuckets.html). + + The following operations are related to `GetBucketRequestPayment`: + + * [ListObjects](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjects.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketRequestPaymentOutput' + put: + operationId: PutBucketRequestPayment + description: |- + This operation is not supported for directory buckets. + + Sets the request payment configuration for a bucket. By default, the bucket owner pays for downloads from the bucket. This configuration parameter enables the bucket owner (only) to specify that the person requesting the download will be charged for the download. For more information, see [Requester Pays Buckets](https://docs.aws.amazon.com/AmazonS3/latest/dev/RequesterPaysBuckets.html). + + The following operations are related to `PutBucketRequestPayment`: + + * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) + + * [GetBucketRequestPayment](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketRequestPayment.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/RequestPaymentConfiguration' + responses: + '200': + description: Success + /{Bucket}?versioning: + get: + operationId: GetBucketVersioning + description: |- + This operation is not supported for directory buckets. + + Returns the versioning state of a bucket. + + To retrieve the versioning state of a bucket, you must be the bucket owner. + + This implementation also returns the MFA Delete status of the versioning state. If the MFA Delete status is `enabled`, the bucket owner must use an authentication device to change the versioning state of the bucket. + + The following operations are related to `GetBucketVersioning`: + + * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) + + * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html) + + * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetBucketVersioningOutput' + put: + operationId: PutBucketVersioning + description: |- + This operation is not supported for directory buckets. + + When you enable versioning on a bucket for the first time, it might take a short amount of time for the change to be fully propagated. While this change is propagating, you might encounter intermittent `HTTP 404 NoSuchKey` errors for requests to objects created or updated after enabling versioning. We recommend that you wait for 15 minutes after enabling versioning before issuing write operations (`PUT` or `DELETE`) on objects in the bucket. + + Sets the versioning state of an existing bucket. + + You can set the versioning state with one of the following values: + + **Enabled** —Enables versioning for the objects in the bucket. All objects added to the bucket receive a unique version ID. + + **Suspended** —Disables versioning for the objects in the bucket. All objects added to the bucket receive the version ID null. + + If the versioning state has never been set on a bucket, it has no versioning state; a [GetBucketVersioning](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketVersioning.html) request does not return a versioning state value. + + In order to enable MFA Delete, you must be the bucket owner. If you are the bucket owner and want to enable MFA Delete in the bucket versioning configuration, you must include the `x-amz-mfa request` header and the `Status` and the `MfaDelete` request elements in a request to set the versioning state of the bucket. + + If you have an object expiration lifecycle configuration in your non-versioned bucket and you want to maintain the same permanent delete behavior when you enable versioning, you must add a noncurrent expiration policy. The noncurrent expiration lifecycle configuration will manage the deletes of the noncurrent object versions in the version-enabled bucket. (A version-enabled bucket maintains one current and zero or more noncurrent object versions.) For more information, see [Lifecycle and Versioning](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lifecycle-mgmt.html#lifecycle-and-other-bucket-config). + + The following operations are related to `PutBucketVersioning`: + + * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) + + * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html) + + * [GetBucketVersioning](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketVersioning.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-mfa + in: header + required: false + schema: + $ref: '#/components/schemas/MFA' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/VersioningConfiguration' + responses: + '200': + description: Success + /{Bucket}/{Key+}?x-id=GetObject: + get: + operationId: GetObject + description: "Retrieves an object from Amazon S3.\n\nIn the `GetObject` request,\ + \ specify the full key name for the object.\n\n**General purpose buckets**\ + \ \\- Both the virtual-hosted-style requests and the path-style requests are\ + \ supported. For a virtual hosted-style request example, if you have the object\ + \ `photos/2006/February/sample.jpg`, specify the object key name as `/photos/2006/February/sample.jpg`.\ + \ For a path-style request example, if you have the object `photos/2006/February/sample.jpg`\ + \ in the bucket named `examplebucket`, specify the object key name as `/examplebucket/photos/2006/February/sample.jpg`.\ + \ For more information about request types, see [HTTP Host Header Bucket Specification](https://docs.aws.amazon.com/AmazonS3/latest/dev/VirtualHosting.html#VirtualHostingSpecifyBucket)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- Only virtual-hosted-style\ + \ requests are supported. For a virtual hosted-style request example, if you\ + \ have the object `photos/2006/February/sample.jpg` in the bucket named `amzn-s3-demo-bucket--usw2-az1--x-s3`,\ + \ specify the object key name as `/photos/2006/February/sample.jpg`. Also,\ + \ when you make requests to this API operation, your requests are sent to\ + \ the Zonal endpoint. These endpoints support virtual-hosted-style requests\ + \ in the format `https://_bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- You must have the required permissions in a policy.\ + \ To use `GetObject`, you must have the `READ` access to the object (or version).\ + \ If you grant `READ` access to the anonymous user, the `GetObject` operation\ + \ returns the object without using an authorization header. For more information,\ + \ see [Specifying permissions in a policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you include a `versionId` in your request\ + \ header, you must have the `s3:GetObjectVersion` permission to access a specific\ + \ version of an object. The `s3:GetObject` permission is not required in this\ + \ scenario.\n\nIf you request the current version of an object without a specific\ + \ `versionId` in the request header, only the `s3:GetObject` permission is\ + \ required. The `s3:GetObjectVersion` permission is not required in this scenario.\n\ + \nIf the object that you request doesn’t exist, the error that Amazon S3 returns\ + \ depends on whether you also have the `s3:ListBucket` permission.\n\n \ + \ * If you have the `s3:ListBucket` permission on the bucket, Amazon S3 returns\ + \ an HTTP status code `404 Not Found` error.\n\n * If you don’t have the\ + \ `s3:ListBucket` permission, Amazon S3 returns an HTTP status code `403 Access\ + \ Denied` error.\n\n * **Directory bucket permissions** \\- To grant access\ + \ to this API operation on a directory bucket, we recommend that you use the\ + \ [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nIf the object is encrypted using SSE-KMS, you must also have the `kms:GenerateDataKey`\ + \ and `kms:Decrypt` permissions in IAM identity-based policies and KMS key\ + \ policies for the KMS key.\n\nStorage classes\n\n \n\nIf the object you\ + \ are retrieving is stored in the S3 Glacier Flexible Retrieval storage class,\ + \ the S3 Glacier Deep Archive storage class, the S3 Intelligent-Tiering Archive\ + \ Access tier, or the S3 Intelligent-Tiering Deep Archive Access tier, before\ + \ you can retrieve the object you must first restore a copy using [RestoreObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_RestoreObject.html).\ + \ Otherwise, this operation returns an `InvalidObjectState` error. For information\ + \ about restoring archived objects, see [Restoring Archived Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/restoring-objects.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- Directory buckets\ + \ only support `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) in\ + \ Availability Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access storage\ + \ class) in Dedicated Local Zones. Unsupported storage class values won't\ + \ write a destination object and will respond with the HTTP status code `400\ + \ Bad Request`.\n\nEncryption\n\n \n\nEncryption request headers, like\ + \ `x-amz-server-side-encryption`, should not be sent for the `GetObject` requests,\ + \ if your object uses server-side encryption with Amazon S3 managed encryption\ + \ keys (SSE-S3), server-side encryption with Key Management Service (KMS)\ + \ keys (SSE-KMS), or dual-layer server-side encryption with Amazon Web Services\ + \ KMS keys (DSSE-KMS). If you include the header in your `GetObject` requests\ + \ for the object that uses these types of keys, you’ll get an HTTP `400 Bad\ + \ Request` error.\n\n**Directory buckets** \\- For directory buckets, there\ + \ are only two supported options for server-side encryption: SSE-S3 and SSE-KMS.\ + \ SSE-C isn't supported. For more information, see [Protecting data with server-side\ + \ encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\nOverriding response header values through\ + \ the request\n\n \n\nThere are times when you want to override certain\ + \ response header values of a `GetObject` response. For example, you might\ + \ override the `Content-Disposition` response header value through your `GetObject`\ + \ request.\n\nYou can override values for a set of response headers. These\ + \ modified response header values are included only in a successful response,\ + \ that is, when the HTTP status code `200 OK` is returned. The headers you\ + \ can override using the following query parameters in the request are a subset\ + \ of the headers that Amazon S3 accepts when you create an object.\n\nThe\ + \ response headers that you can override for the `GetObject` response are\ + \ `Cache-Control`, `Content-Disposition`, `Content-Encoding`, `Content-Language`,\ + \ `Content-Type`, and `Expires`.\n\nTo override values for a set of response\ + \ headers in the `GetObject` response, you can use the following query parameters\ + \ in the request.\n\n * `response-cache-control`\n\n * `response-content-disposition`\n\ + \n * `response-content-encoding`\n\n * `response-content-language`\n\n \ + \ * `response-content-type`\n\n * `response-expires`\n\nWhen you use these\ + \ parameters, you must sign the request by using either an Authorization header\ + \ or a presigned URL. These parameters cannot be used with an unsigned (anonymous)\ + \ request.\n\nHTTP Host header syntax\n\n \n\n**Directory buckets** \\\ + - The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `GetObject`:\n\n * [ListBuckets](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBuckets.html)\n\ + \n * [GetObjectAcl](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAcl.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: If-Modified-Since + in: header + required: false + schema: + $ref: '#/components/schemas/IfModifiedSince' + - name: If-None-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfNoneMatch' + - name: If-Unmodified-Since + in: header + required: false + schema: + $ref: '#/components/schemas/IfUnmodifiedSince' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: Range + in: header + required: false + schema: + $ref: '#/components/schemas/Range' + - name: response-cache-control + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseCacheControl' + - name: response-content-disposition + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentDisposition' + - name: response-content-encoding + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentEncoding' + - name: response-content-language + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentLanguage' + - name: response-content-type + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseContentType' + - name: response-expires + in: query + required: false + schema: + $ref: '#/components/schemas/ResponseExpires' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: partNumber + in: query + required: false + schema: + $ref: '#/components/schemas/PartNumber' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-checksum-mode + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumMode' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectOutput' + '403': + content: + text/xml: + schema: + $ref: '#/components/schemas/InvalidObjectState' + description: |- + Object is archived and inaccessible until restored. + + If the object you are retrieving is stored in the S3 Glacier Flexible Retrieval storage class, the S3 Glacier Deep Archive storage class, the S3 Intelligent-Tiering Archive Access tier, or the S3 Intelligent-Tiering Deep Archive Access tier, before you can retrieve the object you must first restore a copy using [RestoreObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_RestoreObject.html). Otherwise, this operation returns an `InvalidObjectState` error. For information about restoring archived objects, see [Restoring Archived Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/restoring-objects.html) in the _Amazon S3 User Guide_. + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchKey' + description: |- + The specified key does not exist. + /{Bucket}/{Key+}?acl: + get: + operationId: GetObjectAcl + description: |- + This operation is not supported for directory buckets. + + Returns the access control list (ACL) of an object. To use this operation, you must have `s3:GetObjectAcl` permissions or `READ_ACP` access to the object. For more information, see [Mapping of ACL permissions and access policy permissions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/acl-overview.html#acl-access-policy-permission-mapping) in the _Amazon S3 User Guide_ + + This functionality is not supported for Amazon S3 on Outposts. + + By default, GET returns ACL information about the current version of an object. To return ACL information about a different version, use the versionId subresource. + + If your bucket uses the bucket owner enforced setting for S3 Object Ownership, requests to read ACLs are still supported and return the `bucket-owner-full-control` ACL with the owner being the account that created the bucket. For more information, see [ Controlling object ownership and disabling ACLs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html) in the _Amazon S3 User Guide_. + + The following operations are related to `GetObjectAcl`: + + * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) + + * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) + + * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) + + * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectAclOutput' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchKey' + description: |- + The specified key does not exist. + put: + operationId: PutObjectAcl + description: "End of support notice: As of October 1, 2025, Amazon S3 has discontinued\ + \ support for Email Grantee Access Control Lists (ACLs). If you attempt to\ + \ use an Email Grantee ACL in a request after October 1, 2025, the request\ + \ will receive an `HTTP 405` (Method Not Allowed) error.\n\nThis change affects\ + \ the following Amazon Web Services Regions: US East (N. Virginia), US West\ + \ (N. California), US West (Oregon), Asia Pacific (Singapore), Asia Pacific\ + \ (Sydney), Asia Pacific (Tokyo), Europe (Ireland), and South America (São\ + \ Paulo).\n\nThis operation is not supported for directory buckets.\n\nUses\ + \ the `acl` subresource to set the access control list (ACL) permissions for\ + \ a new or existing object in an S3 bucket. You must have the `WRITE_ACP`\ + \ permission to set the ACL of an object. For more information, see [What\ + \ permissions can I grant?](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html#permissions)\ + \ in the _Amazon S3 User Guide_.\n\nThis functionality is not supported for\ + \ Amazon S3 on Outposts.\n\nDepending on your application needs, you can choose\ + \ to set the ACL on an object using either the request body or the headers.\ + \ For example, if you have an existing application that updates a bucket ACL\ + \ using the request body, you can continue to use that approach. For more\ + \ information, see [Access Control List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf your bucket uses the bucket owner enforced\ + \ setting for S3 Object Ownership, ACLs are disabled and no longer affect\ + \ permissions. You must use policies to grant access to your bucket and the\ + \ objects in it. Requests to set ACLs or update ACLs fail and return the `AccessControlListNotSupported`\ + \ error code. Requests to read ACLs are still supported. For more information,\ + \ see [Controlling object ownership](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nYou can set access\ + \ permissions using one of the following methods:\n\n * Specify a canned\ + \ ACL with the `x-amz-acl` request header. Amazon S3 supports a set of predefined\ + \ ACLs, known as canned ACLs. Each canned ACL has a predefined set of grantees\ + \ and permissions. Specify the canned ACL name as the value of `x-amz-ac`l.\ + \ If you use this header, you cannot use other access control-specific headers\ + \ in your request. For more information, see [Canned ACL](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html#CannedACL).\n\ + \n * Specify access permissions explicitly with the `x-amz-grant-read`, `x-amz-grant-read-acp`,\ + \ `x-amz-grant-write-acp`, and `x-amz-grant-full-control` headers. When using\ + \ these headers, you specify explicit access permissions and grantees (Amazon\ + \ Web Services accounts or Amazon S3 groups) who will receive the permission.\ + \ If you use these ACL-specific headers, you cannot use `x-amz-acl` header\ + \ to set a canned ACL. These parameters map to the set of permissions that\ + \ Amazon S3 supports in an ACL. For more information, see [Access Control\ + \ List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html).\n\ + \nYou specify each grantee as a type=value pair, where the type is one of\ + \ the following:\n\n * `id` – if the value specified is the canonical user\ + \ ID of an Amazon Web Services account\n\n * `uri` – if you are granting\ + \ permissions to a predefined group\n\n * `emailAddress` – if the value\ + \ specified is the email address of an Amazon Web Services account\n\nUsing\ + \ email addresses to specify a grantee is only supported in the following\ + \ Amazon Web Services Regions:\n\n * US East (N. Virginia)\n\n *\ + \ US West (N. California)\n\n * US West (Oregon)\n\n * Asia Pacific\ + \ (Singapore)\n\n * Asia Pacific (Sydney)\n\n * Asia Pacific (Tokyo)\n\ + \n * Europe (Ireland)\n\n * South America (São Paulo)\n\nFor a list\ + \ of all the Amazon S3 supported Regions and endpoints, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nFor example, the following\ + \ `x-amz-grant-read` header grants list objects permission to the two Amazon\ + \ Web Services accounts identified by their email addresses.\n\n`x-amz-grant-read:\ + \ emailAddress=\"xyz@amazon.com\", emailAddress=\"abc@amazon.com\" `\n\nYou\ + \ can use either a canned ACL or specify access permissions explicitly. You\ + \ cannot do both.\n\nGrantee Values\n\n \n\nYou can specify the person\ + \ (grantee) to whom you're assigning access rights (using request elements)\ + \ in the following ways. For examples of how to specify these grantee values\ + \ in JSON format, see the Amazon Web Services CLI example in [ Enabling Amazon\ + \ S3 server access logging](https://docs.aws.amazon.com/AmazonS3/latest/userguide/enable-server-access-logging.html)\ + \ in the _Amazon S3 User Guide_.\n\n * By the person's ID:\n\n`<>ID<><>GranteesEmail<>\ + \ `\n\nDisplayName is optional and ignored in the request.\n\n * By URI:\n\ + \n`<>http://acs.amazonaws.com/groups/global/AuthenticatedUsers<>`\n\n * By\ + \ Email address:\n\n`<>Grantees@email.com<>lt;/Grantee>`\n\nThe grantee is\ + \ resolved to the CanonicalUser and, in a response to a GET Object acl request,\ + \ appears as the CanonicalUser.\n\nUsing email addresses to specify a grantee\ + \ is only supported in the following Amazon Web Services Regions:\n\n *\ + \ US East (N. Virginia)\n\n * US West (N. California)\n\n * US West\ + \ (Oregon)\n\n * Asia Pacific (Singapore)\n\n * Asia Pacific (Sydney)\n\ + \n * Asia Pacific (Tokyo)\n\n * Europe (Ireland)\n\n * South America\ + \ (São Paulo)\n\nFor a list of all the Amazon S3 supported Regions and endpoints,\ + \ see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nVersioning\n\n \n\n\ + The ACL of an object is set at the object version level. By default, PUT sets\ + \ the ACL of the current version of an object. To set the ACL of a different\ + \ version, use the `versionId` subresource.\n\nThe following operations are\ + \ related to `PutObjectAcl`:\n\n * [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\n\ + \n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-acl + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectCannedACL' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-grant-full-control + in: header + required: false + schema: + $ref: '#/components/schemas/GrantFullControl' + - name: x-amz-grant-read + in: header + required: false + schema: + $ref: '#/components/schemas/GrantRead' + - name: x-amz-grant-read-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantReadACP' + - name: x-amz-grant-write + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWrite' + - name: x-amz-grant-write-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWriteACP' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/AccessControlPolicy' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutObjectAclOutput' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchKey' + description: |- + The specified key does not exist. + /{Bucket}/{Key+}?attributes: + get: + operationId: GetObjectAttributes + description: "Retrieves all of the metadata from an object without returning\ + \ the object itself. This operation is useful if you're interested only in\ + \ an object's metadata.\n\n`GetObjectAttributes` combines the functionality\ + \ of `HeadObject` and `ListParts`. All of the data returned with both of those\ + \ individual calls can be returned with a single call to `GetObjectAttributes`.\n\ + \n**Directory buckets** \\- For directory buckets, you must make requests\ + \ for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style\ + \ requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- To use `GetObjectAttributes`, you must have READ\ + \ access to the object.\n\nThe other permissions that you need to use this\ + \ operation depend on whether the bucket is versioned and if a version ID\ + \ is passed in the `GetObjectAttributes` request.\n\n * If you pass a version\ + \ ID in your request, you need both the `s3:GetObjectVersion` and `s3:GetObjectVersionAttributes`\ + \ permissions.\n\n * If you do not pass a version ID in your request, you\ + \ need the `s3:GetObject` and `s3:GetObjectAttributes` permissions. \n\nFor\ + \ more information, see [Specifying Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the object that you request does not\ + \ exist, the error Amazon S3 returns depends on whether you also have the\ + \ `s3:ListBucket` permission.\n\n * If you have the `s3:ListBucket` permission\ + \ on the bucket, Amazon S3 returns an HTTP status code `404 Not Found` (\"\ + no such key\") error.\n\n * If you don't have the `s3:ListBucket` permission,\ + \ Amazon S3 returns an HTTP status code `403 Forbidden` (\"access denied\"\ + ) error.\n\n * **Directory bucket permissions** \\- To grant access to this\ + \ API operation on a directory bucket, we recommend that you use the [ `CreateSession`\ + \ ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nIf the object is encrypted with SSE-KMS, you must also have the `kms:GenerateDataKey`\ + \ and `kms:Decrypt` permissions in IAM identity-based policies and KMS key\ + \ policies for the KMS key.\n\nEncryption\n\n \n\nEncryption request headers,\ + \ like `x-amz-server-side-encryption`, should not be sent for `HEAD` requests\ + \ if your object uses server-side encryption with Key Management Service (KMS)\ + \ keys (SSE-KMS), dual-layer server-side encryption with Amazon Web Services\ + \ KMS keys (DSSE-KMS), or server-side encryption with Amazon S3 managed encryption\ + \ keys (SSE-S3). The `x-amz-server-side-encryption` header is used when you\ + \ `PUT` an object to S3 and want to specify the encryption method. If you\ + \ include this header in a `GET` request for an object that uses these types\ + \ of keys, you’ll get an HTTP `400 Bad Request` error. It's because the encryption\ + \ method can't be changed when you retrieve the object.\n\nIf you encrypted\ + \ an object when you stored the object in Amazon S3 by using server-side encryption\ + \ with customer-provided encryption keys (SSE-C), then when you retrieve the\ + \ metadata from the object, you must use the following headers. These headers\ + \ provide the server with the encryption key required to retrieve the object's\ + \ metadata. The headers are:\n\n * `x-amz-server-side-encryption-customer-algorithm`\n\ + \n * `x-amz-server-side-encryption-customer-key`\n\n * `x-amz-server-side-encryption-customer-key-MD5`\n\ + \nFor more information about SSE-C, see [Server-Side Encryption (Using Customer-Provided\ + \ Encryption Keys)](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory bucket permissions** \\- For\ + \ directory buckets, there are only two supported options for server-side\ + \ encryption: server-side encryption with Amazon S3 managed keys (SSE-S3)\ + \ (`AES256`) and server-side encryption with KMS keys (SSE-KMS) (`aws:kms`).\ + \ We recommend that the bucket's default encryption uses the desired encryption\ + \ configuration and you don't override the bucket default encryption in your\ + \ `CreateSession` requests or `PUT` object requests. Then, new objects are\ + \ automatically encrypted with the desired encryption settings. For more information,\ + \ see [Protecting data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_. For more information about the encryption\ + \ overriding behaviors in directory buckets, see [Specifying server-side encryption\ + \ with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\n\ + \nVersioning\n\n \n\n**Directory buckets** \\- S3 Versioning isn't enabled\ + \ and supported for directory buckets. For this API operation, only the `null`\ + \ value of the version ID is supported by directory buckets. You can only\ + \ specify `null` to the `versionId` query parameter in the request.\n\nConditional\ + \ request headers\n\n \n\nConsider the following when using request headers:\n\ + \n * If both of the `If-Match` and `If-Unmodified-Since` headers are present\ + \ in the request as follows, then Amazon S3 returns the HTTP status code `200\ + \ OK` and the data requested:\n\n * `If-Match` condition evaluates to `true`.\n\ + \n * `If-Unmodified-Since` condition evaluates to `false`.\n\nFor more\ + \ information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).\n\ + \n * If both of the `If-None-Match` and `If-Modified-Since` headers are present\ + \ in the request as follows, then Amazon S3 returns the HTTP status code `304\ + \ Not Modified`:\n\n * `If-None-Match` condition evaluates to `false`.\n\ + \n * `If-Modified-Since` condition evaluates to `true`.\n\nFor more information\ + \ about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).\n\ + \nHTTP Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host\ + \ header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following actions are related to `GetObjectAttributes`:\n\n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \n * [GetObjectAcl](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAcl.html)\n\ + \n * [GetObjectLegalHold](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectLegalHold.html)\n\ + \n * [GetObjectLockConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectLockConfiguration.html)\n\ + \n * [GetObjectRetention](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectRetention.html)\n\ + \n * [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html)\n\ + \n * [HeadObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_HeadObject.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-max-parts + in: header + required: false + schema: + $ref: '#/components/schemas/MaxParts' + - name: x-amz-part-number-marker + in: header + required: false + schema: + $ref: '#/components/schemas/PartNumberMarker' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-object-attributes + in: header + required: true + schema: + $ref: '#/components/schemas/ObjectAttributesList' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectAttributesOutput' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchKey' + description: |- + The specified key does not exist. + /{Bucket}/{Key+}?legal-hold: + get: + operationId: GetObjectLegalHold + description: |- + This operation is not supported for directory buckets. + + Gets an object's current legal hold status. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + This functionality is not supported for Amazon S3 on Outposts. + + The following action is related to `GetObjectLegalHold`: + + * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectLegalHoldOutput' + put: + operationId: PutObjectLegalHold + description: |- + This operation is not supported for directory buckets. + + Applies a legal hold configuration to the specified object. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + This functionality is not supported for Amazon S3 on Outposts. + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/ObjectLockLegalHold' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutObjectLegalHoldOutput' + /{Bucket}?object-lock: + get: + operationId: GetObjectLockConfiguration + description: |- + This operation is not supported for directory buckets. + + Gets the Object Lock configuration for a bucket. The rule specified in the Object Lock configuration will be applied by default to every new object placed in the specified bucket. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + The following action is related to `GetObjectLockConfiguration`: + + * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectLockConfigurationOutput' + put: + operationId: PutObjectLockConfiguration + description: |- + This operation is not supported for directory buckets. + + Places an Object Lock configuration on the specified bucket. The rule specified in the Object Lock configuration will be applied by default to every new object placed in the specified bucket. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + * The `DefaultRetention` settings require both a mode and a period. + + * The `DefaultRetention` period can be either `Days` or `Years` but you must select one. You cannot specify `Days` and `Years` at the same time. + + * You can enable Object Lock for new or existing buckets. For more information, see [Configuring Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lock-configure.html). + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-bucket-object-lock-token + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockToken' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/ObjectLockConfiguration' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutObjectLockConfigurationOutput' + /{Bucket}/{Key+}?retention: + get: + operationId: GetObjectRetention + description: |- + This operation is not supported for directory buckets. + + Retrieves an object's retention settings. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + This functionality is not supported for Amazon S3 on Outposts. + + The following action is related to `GetObjectRetention`: + + * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectRetentionOutput' + put: + operationId: PutObjectRetention + description: |- + This operation is not supported for directory buckets. + + Places an Object Retention configuration on an object. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). Users or accounts require the `s3:PutObjectRetention` permission in order to place an Object Retention configuration on objects. Bypassing a Governance Retention configuration requires the `s3:BypassGovernanceRetention` permission. + + This functionality is not supported for Amazon S3 on Outposts. + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-bypass-governance-retention + in: header + required: false + schema: + $ref: '#/components/schemas/BypassGovernanceRetention' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/ObjectLockRetention' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutObjectRetentionOutput' + /{Bucket}/{Key+}?torrent: + get: + operationId: GetObjectTorrent + description: |- + This operation is not supported for directory buckets. + + Returns torrent files from a bucket. BitTorrent can save you bandwidth when you're distributing large files. + + You can get torrent only for objects that are less than 5 GB in size, and that are not encrypted using server-side encryption with a customer-provided encryption key. + + To use GET, you must have READ access to the object. + + This functionality is not supported for Amazon S3 on Outposts. + + The following action is related to `GetObjectTorrent`: + + * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/GetObjectTorrentOutput' + /{Bucket}?analytics&x-id=ListBucketAnalyticsConfigurations: + get: + operationId: ListBucketAnalyticsConfigurations + description: |- + This operation is not supported for directory buckets. + + Lists the analytics configurations for the bucket. You can have up to 1,000 analytics configurations per bucket. + + This action supports list pagination and does not return more than 100 configurations at a time. You should always check the `IsTruncated` element in the response. If there are no more configurations to list, `IsTruncated` is set to false. If there are more configurations to list, `IsTruncated` is set to true, and there will be a value in `NextContinuationToken`. You use the `NextContinuationToken` value to continue the pagination of the list by passing the value in continuation-token in the request to `GET` the next page. + + To use this operation, you must have permissions to perform the `s3:GetAnalyticsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about Amazon S3 analytics feature, see [Amazon S3 Analytics – Storage Class Analysis](https://docs.aws.amazon.com/AmazonS3/latest/dev/analytics-storage-class.html). + + The following operations are related to `ListBucketAnalyticsConfigurations`: + + * [GetBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketAnalyticsConfiguration.html) + + * [DeleteBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketAnalyticsConfiguration.html) + + * [PutBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAnalyticsConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/Token' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListBucketAnalyticsConfigurationsOutput' + /{Bucket}?intelligent-tiering&x-id=ListBucketIntelligentTieringConfigurations: + get: + operationId: ListBucketIntelligentTieringConfigurations + description: |- + This operation is not supported for directory buckets. + + Lists the S3 Intelligent-Tiering configuration from the specified bucket. + + The S3 Intelligent-Tiering storage class is designed to optimize storage costs by automatically moving data to the most cost-effective storage access tier, without performance impact or operational overhead. S3 Intelligent-Tiering delivers automatic cost savings in three low latency and high throughput access tiers. To get the lowest storage cost on data that can be accessed in minutes to hours, you can choose to activate additional archiving capabilities. + + The S3 Intelligent-Tiering storage class is the ideal storage class for data with unknown, changing, or unpredictable access patterns, independent of object size or retention period. If the size of an object is less than 128 KB, it is not monitored and not eligible for auto-tiering. Smaller objects can be stored, but they are always charged at the Frequent Access tier rates in the S3 Intelligent-Tiering storage class. + + For more information, see [Storage class for automatically optimizing frequently and infrequently accessed objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html#sc-dynamic-data-access). + + Operations related to `ListBucketIntelligentTieringConfigurations` include: + + * [DeleteBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketIntelligentTieringConfiguration.html) + + * [PutBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketIntelligentTieringConfiguration.html) + + * [GetBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketIntelligentTieringConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/Token' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListBucketIntelligentTieringConfigurationsOutput' + /{Bucket}?inventory&x-id=ListBucketInventoryConfigurations: + get: + operationId: ListBucketInventoryConfigurations + description: |- + This operation is not supported for directory buckets. + + Returns a list of S3 Inventory configurations for the bucket. You can have up to 1,000 inventory configurations per bucket. + + This action supports list pagination and does not return more than 100 configurations at a time. Always check the `IsTruncated` element in the response. If there are no more configurations to list, `IsTruncated` is set to false. If there are more configurations to list, `IsTruncated` is set to true, and there is a value in `NextContinuationToken`. You use the `NextContinuationToken` value to continue the pagination of the list by passing the value in continuation-token in the request to `GET` the next page. + + To use this operation, you must have permissions to perform the `s3:GetInventoryConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For information about the Amazon S3 inventory feature, see [Amazon S3 Inventory](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-inventory.html) + + The following operations are related to `ListBucketInventoryConfigurations`: + + * [GetBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketInventoryConfiguration.html) + + * [DeleteBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketInventoryConfiguration.html) + + * [PutBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketInventoryConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/Token' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListBucketInventoryConfigurationsOutput' + /{Bucket}?metrics&x-id=ListBucketMetricsConfigurations: + get: + operationId: ListBucketMetricsConfigurations + description: |- + This operation is not supported for directory buckets. + + Lists the metrics configurations for the bucket. The metrics configurations are only for the request metrics of the bucket and do not provide information on daily storage metrics. You can have up to 1,000 configurations per bucket. + + This action supports list pagination and does not return more than 100 configurations at a time. Always check the `IsTruncated` element in the response. If there are no more configurations to list, `IsTruncated` is set to false. If there are more configurations to list, `IsTruncated` is set to true, and there is a value in `NextContinuationToken`. You use the `NextContinuationToken` value to continue the pagination of the list by passing the value in `continuation-token` in the request to `GET` the next page. + + To use this operation, you must have permissions to perform the `s3:GetMetricsConfiguration` action. The bucket owner has this permission by default. The bucket owner can grant this permission to others. For more information about permissions, see [Permissions Related to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources) and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html). + + For more information about metrics configurations and CloudWatch request metrics, see [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html). + + The following operations are related to `ListBucketMetricsConfigurations`: + + * [PutBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketMetricsConfiguration.html) + + * [GetBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetricsConfiguration.html) + + * [DeleteBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetricsConfiguration.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/Token' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListBucketMetricsConfigurationsOutput' + /?x-id=ListBuckets&__region={region}: + servers: + - url: https://s3.amazonaws.com + get: + operationId: ListBuckets + description: |- + This operation is not supported for directory buckets. + + Returns a list of all buckets owned by the authenticated sender of the request. To grant IAM permission to use this operation, you must add the `s3:ListAllMyBuckets` policy action. + + For information about Amazon S3 buckets, see [Creating, configuring, and working with Amazon S3 buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/creating-buckets-s3.html). + + We strongly recommend using only paginated `ListBuckets` requests. Unpaginated `ListBuckets` requests are only supported for Amazon Web Services accounts set to the default general purpose bucket quota of 10,000. If you have an approved general purpose bucket quota above 10,000, you must send paginated `ListBuckets` requests to list your account’s buckets. All unpaginated `ListBuckets` requests will be rejected for Amazon Web Services accounts with a general purpose bucket quota greater than 10,000. + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: region + in: query + required: true + schema: + type: string + - name: x-amz-content-sha256 + in: header + required: false + schema: + type: string + default: e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855 + - name: max-buckets + in: query + required: false + schema: + $ref: '#/components/schemas/MaxBuckets' + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/Token' + - name: prefix + in: query + required: false + schema: + $ref: '#/components/schemas/Prefix' + - name: bucket-region + in: query + required: false + schema: + $ref: '#/components/schemas/BucketRegion' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListBucketsOutput' + /?x-id=ListDirectoryBuckets: + get: + operationId: ListDirectoryBuckets + description: "Returns a list of all Amazon S3 directory buckets owned by the\ + \ authenticated sender of the request. For more information about directory\ + \ buckets, see [Directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Regional endpoint.\ + \ These endpoints support path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_\ + \ `. Virtual-hosted-style requests aren't supported. For more information\ + \ about endpoints in Availability Zones, see [Regional and Zonal endpoints\ + \ for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nYou must have the\ + \ `s3express:ListAllMyDirectoryBuckets` permission in an IAM identity-based\ + \ policy instead of a bucket policy. Cross-account access to this API operation\ + \ isn't supported. This operation can only be performed by the Amazon Web\ + \ Services account that owns the resource. For more information about directory\ + \ bucket policies and permissions, see [Amazon Web Services Identity and Access\ + \ Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is `s3express-control._region_.amazonaws.com`.\n\ + \nThe `BucketRegion` response element is not part of the `ListDirectoryBuckets`\ + \ Response Syntax.\n\nYou must URL encode any signed header values that contain\ + \ spaces. For example, if your header value is `my file.txt`, containing two\ + \ spaces after `my`, you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/DirectoryBucketToken' + - name: max-directory-buckets + in: query + required: false + schema: + $ref: '#/components/schemas/MaxDirectoryBuckets' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListDirectoryBucketsOutput' + /{Bucket}?uploads: + get: + operationId: ListMultipartUploads + description: "This operation lists in-progress multipart uploads in a bucket.\ + \ An in-progress multipart upload is a multipart upload that has been initiated\ + \ by the `CreateMultipartUpload` request, but has not yet been completed or\ + \ aborted.\n\n**Directory buckets** \\- If multipart uploads in a directory\ + \ bucket are in progress, you can't delete the bucket until all the in-progress\ + \ multipart uploads are aborted or completed. To delete these in-progress\ + \ multipart uploads, use the `ListMultipartUploads` operation to list the\ + \ in-progress multipart uploads in the bucket and use the `AbortMultipartUpload`\ + \ operation to abort all the in-progress multipart uploads.\n\nThe `ListMultipartUploads`\ + \ operation returns a maximum of 1,000 multipart uploads in the response.\ + \ The limit of 1,000 multipart uploads is also the default value. You can\ + \ further limit the number of uploads in a response by specifying the `max-uploads`\ + \ request parameter. If there are more than 1,000 multipart uploads that satisfy\ + \ your `ListMultipartUploads` request, the response returns an `IsTruncated`\ + \ element with the value of `true`, a `NextKeyMarker` element, and a `NextUploadIdMarker`\ + \ element. To list the remaining multipart uploads, you need to make subsequent\ + \ `ListMultipartUploads` requests. In these requests, include two query parameters:\ + \ `key-marker` and `upload-id-marker`. Set the value of `key-marker` to the\ + \ `NextKeyMarker` value from the previous response. Similarly, set the value\ + \ of `upload-id-marker` to the `NextUploadIdMarker` value from the previous\ + \ response.\n\n**Directory buckets** \\- The `upload-id-marker` element and\ + \ the `NextUploadIdMarker` element aren't supported by directory buckets.\ + \ To list the additional multipart uploads, you only need to set the value\ + \ of `key-marker` to the `NextKeyMarker` value from the previous response.\n\ + \nFor more information about multipart uploads, see [Uploading Objects Using\ + \ Multipart Upload](https://docs.aws.amazon.com/AmazonS3/latest/dev/uploadobjusingmpu.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Zonal endpoint.\ + \ These endpoints support virtual-hosted-style requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- For information about permissions required to use\ + \ the multipart upload API, see [Multipart Upload and Permissions](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuAndPermissions.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nSorting of multipart uploads in response\n\n \n\n * **General purpose\ + \ bucket** \\- In the `ListMultipartUploads` response, the multipart uploads\ + \ are sorted based on two criteria:\n\n * Key-based sorting - Multipart\ + \ uploads are initially sorted in ascending order based on their object keys.\n\ + \n * Time-based sorting - For uploads that share the same object key, they\ + \ are further sorted in ascending order based on the upload initiation time.\ + \ Among uploads with the same key, the one that was initiated first will appear\ + \ before the ones that were initiated later.\n\n * **Directory bucket** \\\ + - In the `ListMultipartUploads` response, the multipart uploads aren't sorted\ + \ lexicographically based on the object keys. \n\nHTTP Host header syntax\n\ + \n \n\n**Directory buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `ListMultipartUploads`:\n\n * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: delimiter + in: query + required: false + schema: + $ref: '#/components/schemas/Delimiter' + - name: encoding-type + in: query + required: false + schema: + $ref: '#/components/schemas/EncodingType' + - name: key-marker + in: query + required: false + schema: + $ref: '#/components/schemas/KeyMarker' + - name: max-uploads + in: query + required: false + schema: + $ref: '#/components/schemas/MaxUploads' + - name: prefix + in: query + required: false + schema: + $ref: '#/components/schemas/Prefix' + - name: upload-id-marker + in: query + required: false + schema: + $ref: '#/components/schemas/UploadIdMarker' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListMultipartUploadsOutput' + /{Bucket}?versions: + get: + operationId: ListObjectVersions + description: |- + This operation is not supported for directory buckets. + + Returns metadata about all versions of the objects in a bucket. You can also use request parameters as selection criteria to return metadata about a subset of all the object versions. + + To use this operation, you must have permission to perform the `s3:ListBucketVersions` action. Be aware of the name difference. + + A `200 OK` response can contain valid or invalid XML. Make sure to design your application to parse the contents of the response and handle it appropriately. + + To use this operation, you must have READ access to the bucket. + + The following operations are related to `ListObjectVersions`: + + * [ListObjectsV2](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjectsV2.html) + + * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) + + * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html) + + * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: delimiter + in: query + required: false + schema: + $ref: '#/components/schemas/Delimiter' + - name: encoding-type + in: query + required: false + schema: + $ref: '#/components/schemas/EncodingType' + - name: key-marker + in: query + required: false + schema: + $ref: '#/components/schemas/KeyMarker' + - name: max-keys + in: query + required: false + schema: + $ref: '#/components/schemas/MaxKeys' + - name: prefix + in: query + required: false + schema: + $ref: '#/components/schemas/Prefix' + - name: version-id-marker + in: query + required: false + schema: + $ref: '#/components/schemas/VersionIdMarker' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-optional-object-attributes + in: header + required: false + schema: + $ref: '#/components/schemas/OptionalObjectAttributesList' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListObjectVersionsOutput' + /{Bucket}?list-type=2: + get: + operationId: ListObjectsV2 + description: "Returns some or all (up to 1,000) of the objects in a bucket with\ + \ each request. You can use the request parameters as selection criteria to\ + \ return a subset of the objects in a bucket. A `200 OK` response can contain\ + \ valid or invalid XML. Make sure to design your application to parse the\ + \ contents of the response and handle it appropriately. For more information\ + \ about listing objects, see [Listing object keys programmatically](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ListingKeysUsingAPIs.html)\ + \ in the _Amazon S3 User Guide_. To get a list of your buckets, see [ListBuckets](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBuckets.html).\n\ + \n * **General purpose bucket** \\- For general purpose buckets, `ListObjectsV2`\ + \ doesn't return prefixes that are related only to in-progress multipart uploads.\n\ + \n * **Directory buckets** \\- For directory buckets, `ListObjectsV2` response\ + \ includes the prefixes that are related only to in-progress multipart uploads.\ + \ \n\n * **Directory buckets** \\- For directory buckets, you must make requests\ + \ for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style\ + \ requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- To use this operation, you must have READ access\ + \ to the bucket. You must have permission to perform the `s3:ListBucket` action.\ + \ The bucket owner has this permission by default and can grant this permission\ + \ to others. For more information about permissions, see [Permissions Related\ + \ to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources)\ + \ and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nSorting order of returned objects\n\n \n\n * **General purpose bucket**\ + \ \\- For general purpose buckets, `ListObjectsV2` returns objects in lexicographical\ + \ order based on their key names.\n\n * **Directory bucket** \\- For directory\ + \ buckets, `ListObjectsV2` does not return objects in lexicographical order.\n\ + \nHTTP Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host\ + \ header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThis section describes the latest revision of this action. We recommend\ + \ that you use this revised API operation for application development. For\ + \ backward compatibility, Amazon S3 continues to support the prior version\ + \ of this API operation, [ListObjects](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjects.html).\n\ + \nThe following operations are related to `ListObjectsV2`:\n\n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \n * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: delimiter + in: query + required: false + schema: + $ref: '#/components/schemas/Delimiter' + - name: encoding-type + in: query + required: false + schema: + $ref: '#/components/schemas/EncodingType' + - name: max-keys + in: query + required: false + schema: + $ref: '#/components/schemas/MaxKeys' + - name: prefix + in: query + required: false + schema: + $ref: '#/components/schemas/Prefix' + - name: continuation-token + in: query + required: false + schema: + $ref: '#/components/schemas/Token' + - name: fetch-owner + in: query + required: false + schema: + $ref: '#/components/schemas/FetchOwner' + - name: start-after + in: query + required: false + schema: + $ref: '#/components/schemas/StartAfter' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-optional-object-attributes + in: header + required: false + schema: + $ref: '#/components/schemas/OptionalObjectAttributesList' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListObjectsV2Output' + '404': + content: + text/xml: + schema: + $ref: '#/components/schemas/NoSuchBucket' + description: |- + The specified bucket does not exist. + /{Bucket}/{Key+}?x-id=ListParts: + get: + operationId: ListParts + description: "Lists the parts that have been uploaded for a specific multipart\ + \ upload.\n\nTo use this operation, you must provide the `upload ID` in the\ + \ request. You obtain this uploadID by sending the initiate multipart upload\ + \ request through [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html).\n\ + \nThe `ListParts` request returns a maximum of 1,000 uploaded parts. The limit\ + \ of 1,000 parts is also the default value. You can restrict the number of\ + \ parts in a response by specifying the `max-parts` request parameter. If\ + \ your multipart upload consists of more than 1,000 parts, the response returns\ + \ an `IsTruncated` field with the value of `true`, and a `NextPartNumberMarker`\ + \ element. To list remaining uploaded parts, in subsequent `ListParts` requests,\ + \ include the `part-number-marker` query string parameter and set its value\ + \ to the `NextPartNumberMarker` field value from the previous response.\n\n\ + For more information on multipart uploads, see [Uploading Objects Using Multipart\ + \ Upload](https://docs.aws.amazon.com/AmazonS3/latest/dev/uploadobjusingmpu.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Zonal endpoint.\ + \ These endpoints support virtual-hosted-style requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- For information about permissions required to use\ + \ the multipart upload API, see [Multipart Upload and Permissions](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuAndPermissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the upload was created using server-side\ + \ encryption with Key Management Service (KMS) keys (SSE-KMS) or dual-layer\ + \ server-side encryption with Amazon Web Services KMS keys (DSSE-KMS), you\ + \ must have permission to the `kms:Decrypt` action for the `ListParts` request\ + \ to succeed.\n\n * **Directory bucket permissions** \\- To grant access\ + \ to this API operation on a directory bucket, we recommend that you use the\ + \ [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nHTTP Host header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host\ + \ header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `ListParts`:\n\n * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \n * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html)\n\ + \n * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: max-parts + in: query + required: false + schema: + $ref: '#/components/schemas/MaxParts' + - name: part-number-marker + in: query + required: false + schema: + $ref: '#/components/schemas/PartNumberMarker' + - name: uploadId + in: query + required: true + schema: + $ref: '#/components/schemas/MultipartUploadId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/ListPartsOutput' + /{Bucket}/{Key+}?x-id=PutObject: + put: + operationId: PutObject + description: "End of support notice: As of October 1, 2025, Amazon S3 has discontinued\ + \ support for Email Grantee Access Control Lists (ACLs). If you attempt to\ + \ use an Email Grantee ACL in a request after October 1, 2025, the request\ + \ will receive an `HTTP 405` (Method Not Allowed) error.\n\nThis change affects\ + \ the following Amazon Web Services Regions: US East (N. Virginia), US West\ + \ (N. California), US West (Oregon), Asia Pacific (Singapore), Asia Pacific\ + \ (Sydney), Asia Pacific (Tokyo), Europe (Ireland), and South America (São\ + \ Paulo).\n\nAdds an object to a bucket.\n\n * Amazon S3 never adds partial\ + \ objects; if you receive a success response, Amazon S3 added the entire object\ + \ to the bucket. You cannot use `PutObject` to only update a single piece\ + \ of metadata for an existing object. You must put the entire object with\ + \ updated metadata if you want to update some values.\n\n * If your bucket\ + \ uses the bucket owner enforced setting for Object Ownership, ACLs are disabled\ + \ and no longer affect permissions. All objects written to the bucket by any\ + \ account will be owned by the bucket owner.\n\n * **Directory buckets**\ + \ \\- For directory buckets, you must make requests for this API operation\ + \ to the Zonal endpoint. These endpoints support virtual-hosted-style requests\ + \ in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nAmazon S3 is a distributed system. If\ + \ it receives multiple write requests for the same object simultaneously,\ + \ it overwrites all but the last object written. However, Amazon S3 provides\ + \ features that can modify this behavior:\n\n * **S3 Object Lock** \\- To\ + \ prevent objects from being deleted or overwritten, you can use [Amazon S3\ + \ Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lock.html)\ + \ in the _Amazon S3 User Guide_.\n\nThis functionality is not supported for\ + \ directory buckets.\n\n * **If-None-Match** \\- Uploads the object only\ + \ if the object key name does not already exist in the specified bucket. Otherwise,\ + \ Amazon S3 returns a `412 Precondition Failed` error. If a conflicting operation\ + \ occurs during the upload, S3 returns a `409 ConditionalRequestConflict`\ + \ response. On a 409 failure, retry the upload.\n\nExpects the * character\ + \ (asterisk).\n\nFor more information, see [Add preconditions to S3 operations\ + \ with conditional requests](https://docs.aws.amazon.com/AmazonS3/latest/userguide/conditional-requests.html)\ + \ in the _Amazon S3 User Guide_ or [RFC 7232](https://datatracker.ietf.org/doc/rfc7232/).\n\ + \nThis functionality is not supported for S3 on Outposts.\n\n * **S3 Versioning**\ + \ \\- When you enable versioning for a bucket, if Amazon S3 receives multiple\ + \ write requests for the same object simultaneously, it stores all versions\ + \ of the objects. For each write request that is made to the same object,\ + \ Amazon S3 automatically generates a unique version ID of that object being\ + \ stored in Amazon S3. You can retrieve, replace, or delete any version of\ + \ the object. For more information about versioning, see [Adding Objects to\ + \ Versioning-Enabled Buckets](https://docs.aws.amazon.com/AmazonS3/latest/dev/AddingObjectstoVersioningEnabledBuckets.html)\ + \ in the _Amazon S3 User Guide_. For information about returning the versioning\ + \ state of a bucket, see [GetBucketVersioning](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketVersioning.html).\ + \ \n\nThis functionality is not supported for directory buckets.\n\nPermissions\n\ + \n \n\n * **General purpose bucket permissions** \\- The following permissions\ + \ are required in your policies when your `PutObject` request includes specific\ + \ headers.\n\n * **`s3:PutObject` ** \\- To successfully complete the `PutObject`\ + \ request, you must always have the `s3:PutObject` permission on a bucket\ + \ to add an object to it.\n\n * **`s3:PutObjectAcl` ** \\- To successfully\ + \ change the objects ACL of your `PutObject` request, you must have the `s3:PutObjectAcl`.\n\ + \n * **`s3:PutObjectTagging` ** \\- To successfully set the tag-set with\ + \ your `PutObject` request, you must have the `s3:PutObjectTagging`.\n\n \ + \ * **Directory bucket permissions** \\- To grant access to this API operation\ + \ on a directory bucket, we recommend that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nIf the object is encrypted with SSE-KMS, you must also have the `kms:GenerateDataKey`\ + \ and `kms:Decrypt` permissions in IAM identity-based policies and KMS key\ + \ policies for the KMS key.\n\nData integrity with Content-MD5\n\n \n\n\ + \ * **General purpose bucket** \\- To ensure that data is not corrupted traversing\ + \ the network, use the `Content-MD5` header. When you use this header, Amazon\ + \ S3 checks the object against the provided MD5 value and, if they do not\ + \ match, Amazon S3 returns an error. Alternatively, when the object's ETag\ + \ is its MD5 digest, you can calculate the MD5 while putting the object to\ + \ Amazon S3 and compare the returned ETag to the calculated MD5 value.\n\n\ + \ * **Directory bucket** \\- This functionality is not supported for directory\ + \ buckets.\n\nHTTP Host header syntax\n\n \n\n**Directory buckets** \\\ + - The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nFor more information about related Amazon S3 APIs, see the following:\n\n\ + \ * [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\n\ + \n * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: x-amz-acl + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectCannedACL' + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Cache-Control + in: header + required: false + schema: + $ref: '#/components/schemas/CacheControl' + - name: Content-Disposition + in: header + required: false + schema: + $ref: '#/components/schemas/ContentDisposition' + - name: Content-Encoding + in: header + required: false + schema: + $ref: '#/components/schemas/ContentEncoding' + - name: Content-Language + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLanguage' + - name: Content-Length + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLength' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: Content-Type + in: header + required: false + schema: + $ref: '#/components/schemas/ContentType' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-checksum-crc32 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32' + - name: x-amz-checksum-crc32c + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32C' + - name: x-amz-checksum-crc64nvme + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC64NVME' + - name: x-amz-checksum-sha1 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA1' + - name: x-amz-checksum-sha256 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA256' + - name: Expires + in: header + required: false + schema: + $ref: '#/components/schemas/Expires' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: If-None-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfNoneMatch' + - name: x-amz-grant-full-control + in: header + required: false + schema: + $ref: '#/components/schemas/GrantFullControl' + - name: x-amz-grant-read + in: header + required: false + schema: + $ref: '#/components/schemas/GrantRead' + - name: x-amz-grant-read-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantReadACP' + - name: x-amz-grant-write-acp + in: header + required: false + schema: + $ref: '#/components/schemas/GrantWriteACP' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-write-offset-bytes + in: header + required: false + schema: + $ref: '#/components/schemas/WriteOffsetBytes' + - name: x-amz-server-side-encryption + in: header + required: false + schema: + $ref: '#/components/schemas/ServerSideEncryption' + - name: x-amz-storage-class + in: header + required: false + schema: + $ref: '#/components/schemas/StorageClass' + - name: x-amz-website-redirect-location + in: header + required: false + schema: + $ref: '#/components/schemas/WebsiteRedirectLocation' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-server-side-encryption-aws-kms-key-id + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSKeyId' + - name: x-amz-server-side-encryption-context + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + - name: x-amz-server-side-encryption-bucket-key-enabled + in: header + required: false + schema: + $ref: '#/components/schemas/BucketKeyEnabled' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-tagging + in: header + required: false + schema: + $ref: '#/components/schemas/TaggingHeader' + - name: x-amz-object-lock-mode + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockMode' + - name: x-amz-object-lock-retain-until-date + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + - name: x-amz-object-lock-legal-hold + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/StreamingBlob' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/PutObjectOutput' + '400': + content: + text/xml: + schema: + $ref: '#/components/schemas/TooManyParts' + description: |- + You have attempted to add more parts than the maximum of 10000 that are allowed for this object. You can use the CopyObject operation to copy this object to another and then add more data to the newly copied object. + /{Bucket}/{Key+}?renameObject: + put: + operationId: RenameObject + description: "Renames an existing object in a directory bucket that uses the\ + \ S3 Express One Zone storage class. You can use `RenameObject` by specifying\ + \ an existing object’s name as the source and the new name of the object as\ + \ the destination within the same directory bucket.\n\n`RenameObject` is only\ + \ supported for objects stored in the S3 Express One Zone storage class.\n\ + \nTo prevent overwriting an object, you can use the `If-None-Match` conditional\ + \ header.\n\n * **If-None-Match** \\- Renames the object only if an object\ + \ with the specified name does not already exist in the directory bucket.\ + \ If you don't want to overwrite an existing object, you can add the `If-None-Match`\ + \ conditional header with the value `‘*’` in the `RenameObject` request. Amazon\ + \ S3 then returns a `412 Precondition Failed` error if the object with the\ + \ specified name already exists. For more information, see [RFC 7232](https://datatracker.ietf.org/doc/rfc7232/).\n\ + \nPermissions\n\n \n\nTo grant access to the `RenameObject` operation on\ + \ a directory bucket, we recommend that you use the `CreateSession` operation\ + \ for session-based authorization. Specifically, you grant the `s3express:CreateSession`\ + \ permission to the directory bucket in a bucket policy or an IAM identity-based\ + \ policy. Then, you make the `CreateSession` API call on the directory bucket\ + \ to obtain a session token. With the session token in your request header,\ + \ you can make API requests to this operation. After the session token expires,\ + \ you make another `CreateSession` API call to generate a new session token\ + \ for use. The Amazon Web Services CLI and SDKs will create and manage your\ + \ session including refreshing the session token automatically to avoid service\ + \ interruptions when a session expires. In your bucket policy, you can specify\ + \ the `s3express:SessionMode` condition key to control who can create a `ReadWrite`\ + \ or `ReadOnly` session. A `ReadWrite` session is required for executing all\ + \ the Zonal endpoint API operations, including `RenameObject`. For more information\ + \ about authorization, see [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\ + \ To learn more about Zonal endpoint API operations, see [Authorizing Zonal\ + \ endpoint API operations with CreateSession](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-create-session.html)\ + \ in the _Amazon S3 User Guide_.\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-rename-source + in: header + required: true + schema: + $ref: '#/components/schemas/RenameSource' + - name: If-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfMatch' + - name: If-None-Match + in: header + required: false + schema: + $ref: '#/components/schemas/IfNoneMatch' + - name: If-Modified-Since + in: header + required: false + schema: + $ref: '#/components/schemas/IfModifiedSince' + - name: If-Unmodified-Since + in: header + required: false + schema: + $ref: '#/components/schemas/IfUnmodifiedSince' + - name: x-amz-rename-source-if-match + in: header + required: false + schema: + $ref: '#/components/schemas/RenameSourceIfMatch' + - name: x-amz-rename-source-if-none-match + in: header + required: false + schema: + $ref: '#/components/schemas/RenameSourceIfNoneMatch' + - name: x-amz-rename-source-if-modified-since + in: header + required: false + schema: + $ref: '#/components/schemas/RenameSourceIfModifiedSince' + - name: x-amz-rename-source-if-unmodified-since + in: header + required: false + schema: + $ref: '#/components/schemas/RenameSourceIfUnmodifiedSince' + - name: x-amz-client-token + in: header + required: false + schema: + $ref: '#/components/schemas/ClientToken' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RenameObjectOutput' + '400': + content: + text/xml: + schema: + $ref: '#/components/schemas/IdempotencyParameterMismatch' + description: |- + Parameters on this idempotent request are inconsistent with parameters used in previous request(s). + + For a list of error codes and more information on Amazon S3 errors, see [Error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + Idempotency ensures that an API request completes no more than one time. With an idempotent request, if the original request completes successfully, any subsequent retries complete successfully without performing any further actions. + /{Bucket}/{Key+}?restore: + post: + operationId: RestoreObject + description: "This operation is not supported for directory buckets.\n\nRestores\ + \ an archived copy of an object back into Amazon S3\n\nThis functionality\ + \ is not supported for Amazon S3 on Outposts.\n\nThis action performs the\ + \ following types of requests:\n\n * `restore an archive` \\- Restore an\ + \ archived object\n\nFor more information about the `S3` structure in the\ + \ request body, see the following:\n\n * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html)\n\ + \n * [Managing Access with ACLs](https://docs.aws.amazon.com/AmazonS3/latest/dev/S3_ACLs_UsingACLs.html)\ + \ in the _Amazon S3 User Guide_\n\n * [Protecting Data Using Server-Side\ + \ Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_\n\nPermissions\n\n \n\nTo use this operation,\ + \ you must have permissions to perform the `s3:RestoreObject` action. The\ + \ bucket owner has this permission by default and can grant this permission\ + \ to others. For more information about permissions, see [Permissions Related\ + \ to Bucket Subresource Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-with-s3-actions.html#using-with-s3-actions-related-to-bucket-subresources)\ + \ and [Managing Access Permissions to Your Amazon S3 Resources](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-access-control.html)\ + \ in the _Amazon S3 User Guide_.\n\nRestoring objects\n\n \n\nObjects that\ + \ you archive to the S3 Glacier Flexible Retrieval or S3 Glacier Deep Archive\ + \ storage class, and S3 Intelligent-Tiering Archive or S3 Intelligent-Tiering\ + \ Deep Archive tiers, are not accessible in real time. For objects in the\ + \ S3 Glacier Flexible Retrieval or S3 Glacier Deep Archive storage classes,\ + \ you must first initiate a restore request, and then wait until a temporary\ + \ copy of the object is available. If you want a permanent copy of the object,\ + \ create a copy of it in the Amazon S3 Standard storage class in your S3 bucket.\ + \ To access an archived object, you must restore the object for the duration\ + \ (number of days) that you specify. For objects in the Archive Access or\ + \ Deep Archive Access tiers of S3 Intelligent-Tiering, you must first initiate\ + \ a restore request, and then wait until the object is moved into the Frequent\ + \ Access tier.\n\nTo restore a specific object version, you can provide a\ + \ version ID. If you don't provide a version ID, Amazon S3 restores the current\ + \ version.\n\nWhen restoring an archived object, you can specify one of the\ + \ following data access tier options in the `Tier` element of the request\ + \ body:\n\n * `Expedited` \\- Expedited retrievals allow you to quickly access\ + \ your data stored in the S3 Glacier Flexible Retrieval storage class or S3\ + \ Intelligent-Tiering Archive tier when occasional urgent requests for restoring\ + \ archives are required. For all but the largest archived objects (250 MB+),\ + \ data accessed using Expedited retrievals is typically made available within\ + \ 1–5 minutes. Provisioned capacity ensures that retrieval capacity for Expedited\ + \ retrievals is available when you need it. Expedited retrievals and provisioned\ + \ capacity are not available for objects stored in the S3 Glacier Deep Archive\ + \ storage class or S3 Intelligent-Tiering Deep Archive tier.\n\n * `Standard`\ + \ \\- Standard retrievals allow you to access any of your archived objects\ + \ within several hours. This is the default option for retrieval requests\ + \ that do not specify the retrieval option. Standard retrievals typically\ + \ finish within 3–5 hours for objects stored in the S3 Glacier Flexible Retrieval\ + \ storage class or S3 Intelligent-Tiering Archive tier. They typically finish\ + \ within 12 hours for objects stored in the S3 Glacier Deep Archive storage\ + \ class or S3 Intelligent-Tiering Deep Archive tier. Standard retrievals are\ + \ free for objects stored in S3 Intelligent-Tiering.\n\n * `Bulk` \\- Bulk\ + \ retrievals free for objects stored in the S3 Glacier Flexible Retrieval\ + \ and S3 Intelligent-Tiering storage classes, enabling you to retrieve large\ + \ amounts, even petabytes, of data at no cost. Bulk retrievals typically finish\ + \ within 5–12 hours for objects stored in the S3 Glacier Flexible Retrieval\ + \ storage class or S3 Intelligent-Tiering Archive tier. Bulk retrievals are\ + \ also the lowest-cost retrieval option when restoring objects from S3 Glacier\ + \ Deep Archive. They typically finish within 48 hours for objects stored in\ + \ the S3 Glacier Deep Archive storage class or S3 Intelligent-Tiering Deep\ + \ Archive tier. \n\nFor more information about archive retrieval options and\ + \ provisioned capacity for `Expedited` data access, see [Restoring Archived\ + \ Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/restoring-objects.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou can use Amazon S3 restore speed upgrade\ + \ to change the restore speed to a faster speed while it is in progress. For\ + \ more information, see [ Upgrading the speed of an in-progress restore](https://docs.aws.amazon.com/AmazonS3/latest/dev/restoring-objects.html#restoring-objects-upgrade-tier.title.html)\ + \ in the _Amazon S3 User Guide_.\n\nTo get the status of object restoration,\ + \ you can send a `HEAD` request. Operations return the `x-amz-restore` header,\ + \ which provides information about the restoration status, in the response.\ + \ You can use Amazon S3 event notifications to notify you when a restore is\ + \ initiated or completed. For more information, see [Configuring Amazon S3\ + \ Event Notifications](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html)\ + \ in the _Amazon S3 User Guide_.\n\nAfter restoring an archived object, you\ + \ can update the restoration period by reissuing the request with a new period.\ + \ Amazon S3 updates the restoration period relative to the current time and\ + \ charges only for the request-there are no data transfer charges. You cannot\ + \ update the restoration period when Amazon S3 is actively processing your\ + \ current restore request for the object.\n\nIf your bucket has a lifecycle\ + \ configuration with a rule that includes an expiration action, the object\ + \ expiration overrides the life span that you specify in a restore request.\ + \ For example, if you restore an object copy for 10 days, but the object is\ + \ scheduled to expire in 3 days, Amazon S3 deletes the object in 3 days. For\ + \ more information about lifecycle configuration, see [PutBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)\ + \ and [Object Lifecycle Management](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lifecycle-mgmt.html)\ + \ in _Amazon S3 User Guide_.\n\nResponses\n\n \n\nA successful action returns\ + \ either the `200 OK` or `202 Accepted` status code.\n\n * If the object\ + \ is not previously restored, then Amazon S3 returns `202 Accepted` in the\ + \ response. \n\n * If the object is previously restored, Amazon S3 returns\ + \ `200 OK` in the response. \n\n * Special errors:\n\n * _Code: RestoreAlreadyInProgress_\n\ + \n * _Cause: Object restore is already in progress._\n\n * _HTTP Status\ + \ Code: 409 Conflict_\n\n * _SOAP Fault Code Prefix: Client_\n\n * \ + \ * _Code: GlacierExpeditedRetrievalNotAvailable_\n\n * _Cause: expedited\ + \ retrievals are currently not available. Try again later. (Returned if there\ + \ is insufficient capacity to process the Expedited request. This error applies\ + \ only to Expedited retrievals and not to S3 Standard or Bulk retrievals.)_\n\ + \n * _HTTP Status Code: 503_\n\n * _SOAP Fault Code Prefix: N/A_\n\n\ + The following operations are related to `RestoreObject`:\n\n * [PutBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)\n\ + \n * [GetBucketNotificationConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketNotificationConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: versionId + in: query + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/RestoreRequest' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/RestoreObjectOutput' + '403': + content: + text/xml: + schema: + $ref: '#/components/schemas/ObjectAlreadyInActiveTierError' + description: |- + This action is not allowed against this storage tier. + /{Bucket}/{Key+}?select&select-type=2: + post: + operationId: SelectObjectContent + description: "This operation is not supported for directory buckets.\n\nThis\ + \ action filters the contents of an Amazon S3 object based on a simple structured\ + \ query language (SQL) statement. In the request, along with the SQL expression,\ + \ you must also specify a data serialization format (JSON, CSV, or Apache\ + \ Parquet) of the object. Amazon S3 uses this format to parse object data\ + \ into records, and returns only records that match the specified SQL expression.\ + \ You must also specify the data serialization format for the response.\n\n\ + This functionality is not supported for Amazon S3 on Outposts.\n\nFor more\ + \ information about Amazon S3 Select, see [Selecting Content from Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/selecting-content-from-objects.html)\ + \ and [SELECT Command](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-glacier-select-sql-reference-select.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nYou must have the\ + \ `s3:GetObject` permission for this operation. Amazon S3 Select does not\ + \ support anonymous access. For more information about permissions, see [Specifying\ + \ Permissions in a Policy](https://docs.aws.amazon.com/AmazonS3/latest/dev/using-with-s3-actions.html)\ + \ in the _Amazon S3 User Guide_.\n\nObject Data Formats\n\n \n\nYou can\ + \ use Amazon S3 Select to query objects that have the following format properties:\n\ + \n * _CSV, JSON, and Parquet_ \\- Objects must be in CSV, JSON, or Parquet\ + \ format.\n\n * _UTF-8_ \\- UTF-8 is the only encoding type Amazon S3 Select\ + \ supports.\n\n * _GZIP or BZIP2_ \\- CSV and JSON files can be compressed\ + \ using GZIP or BZIP2. GZIP and BZIP2 are the only compression formats that\ + \ Amazon S3 Select supports for CSV and JSON files. Amazon S3 Select supports\ + \ columnar compression for Parquet using GZIP or Snappy. Amazon S3 Select\ + \ does not support whole-object compression for Parquet objects.\n\n * _Server-side\ + \ encryption_ \\- Amazon S3 Select supports querying objects that are protected\ + \ with server-side encryption.\n\nFor objects that are encrypted with customer-provided\ + \ encryption keys (SSE-C), you must use HTTPS, and you must use the headers\ + \ that are documented in the [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html).\ + \ For more information about SSE-C, see [Server-Side Encryption (Using Customer-Provided\ + \ Encryption Keys)](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\nFor objects that are encrypted with Amazon\ + \ S3 managed keys (SSE-S3) and Amazon Web Services KMS keys (SSE-KMS), server-side\ + \ encryption is handled transparently, so you don't need to specify anything.\ + \ For more information about server-side encryption, including SSE-S3 and\ + \ SSE-KMS, see [Protecting Data Using Server-Side Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\nWorking with the Response Body\n\n \ + \ \n\nGiven the response size is unknown, Amazon S3 Select streams the response\ + \ as a series of messages and includes a `Transfer-Encoding` header with `chunked`\ + \ as its value in the response. For more information, see [Appendix: SelectObjectContent\ + \ Response](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTSelectObjectAppendix.html).\n\ + \nGetObject Support\n\n \n\nThe `SelectObjectContent` action does not support\ + \ the following `GetObject` functionality. For more information, see [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html).\n\ + \n * `Range`: Although you can specify a scan range for an Amazon S3 Select\ + \ request (see [SelectObjectContentRequest - ScanRange](https://docs.aws.amazon.com/AmazonS3/latest/API/API_SelectObjectContent.html#AmazonS3-SelectObjectContent-request-ScanRange)\ + \ in the request parameters), you cannot specify the range of bytes of an\ + \ object to return. \n\n * The `GLACIER`, `DEEP_ARCHIVE`, and `REDUCED_REDUNDANCY`\ + \ storage classes, or the `ARCHIVE_ACCESS` and `DEEP_ARCHIVE_ACCESS` access\ + \ tiers of the `INTELLIGENT_TIERING` storage class: You cannot query objects\ + \ in the `GLACIER`, `DEEP_ARCHIVE`, or `REDUCED_REDUNDANCY` storage classes,\ + \ nor objects in the `ARCHIVE_ACCESS` or `DEEP_ARCHIVE_ACCESS` access tiers\ + \ of the `INTELLIGENT_TIERING` storage class. For more information about storage\ + \ classes, see [Using Amazon S3 storage classes](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage-class-intro.html)\ + \ in the _Amazon S3 User Guide_.\n\nSpecial Errors\n\n \n\nFor a list of\ + \ special errors for this operation, see [List of SELECT Object Content Error\ + \ Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#SelectObjectContentErrorCodeList)\n\ + \nThe following operations are related to `SelectObjectContent`:\n\n * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html)\n\ + \n * [GetBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLifecycleConfiguration.html)\n\ + \n * [PutBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + type: object + properties: + Expression: + $ref: '#/components/schemas/Expression' + ExpressionType: + $ref: '#/components/schemas/ExpressionType' + RequestProgress: + $ref: '#/components/schemas/RequestProgress' + InputSerialization: + $ref: '#/components/schemas/InputSerialization' + OutputSerialization: + $ref: '#/components/schemas/OutputSerialization' + ScanRange: + $ref: '#/components/schemas/ScanRange' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/SelectObjectContentOutput' + /{Bucket}?metadataInventoryTable: + put: + operationId: UpdateBucketMetadataInventoryTableConfiguration + description: "Enables or disables a live inventory table for an S3 Metadata\ + \ configuration on a general purpose bucket. For more information, see [Accelerating\ + \ data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nTo use this operation,\ + \ you must have the following permissions. For more information, see [Setting\ + \ up permissions for configuring metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf you want to encrypt your inventory\ + \ table with server-side encryption with Key Management Service (KMS) keys\ + \ (SSE-KMS), you need additional permissions in your KMS key policy. For more\ + \ information, see [ Setting up permissions for configuring metadata tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\n * `s3:UpdateBucketMetadataInventoryTableConfiguration`\n\ + \n * `s3tables:CreateTableBucket`\n\n * `s3tables:CreateNamespace`\n\n \ + \ * `s3tables:GetTable`\n\n * `s3tables:CreateTable`\n\n * `s3tables:PutTablePolicy`\n\ + \n * `s3tables:PutTableEncryption`\n\n * `kms:DescribeKey`\n\nThe following\ + \ operations are related to `UpdateBucketMetadataInventoryTableConfiguration`:\n\ + \n * [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\n\ + \n * [DeleteBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataConfiguration.html)\n\ + \n * [GetBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataConfiguration.html)\n\ + \n * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/InventoryTableConfigurationUpdates' + responses: + '200': + description: Success + /{Bucket}?metadataJournalTable: + put: + operationId: UpdateBucketMetadataJournalTableConfiguration + description: "Enables or disables journal table record expiration for an S3\ + \ Metadata configuration on a general purpose bucket. For more information,\ + \ see [Accelerating data discovery with S3 Metadata](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\nTo use this operation,\ + \ you must have the `s3:UpdateBucketMetadataJournalTableConfiguration` permission.\ + \ For more information, see [Setting up permissions for configuring metadata\ + \ tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/metadata-tables-permissions.html)\ + \ in the _Amazon S3 User Guide_.\n\nThe following operations are related to\ + \ `UpdateBucketMetadataJournalTableConfiguration`:\n\n * [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html)\n\ + \n * [DeleteBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataConfiguration.html)\n\ + \n * [GetBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataConfiguration.html)\n\ + \n * [UpdateBucketMetadataInventoryTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataInventoryTableConfiguration.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/JournalTableConfigurationUpdates' + responses: + '200': + description: Success + /{Bucket}/{Key+}?x-id=UploadPart: + put: + operationId: UploadPart + description: "Uploads a part in a multipart upload.\n\nIn this operation, you\ + \ provide new data as a part of an object in your request. However, you have\ + \ an option to specify your existing Amazon S3 object as a data source for\ + \ the part you are uploading. To upload a part from an existing object, you\ + \ use the [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)\ + \ operation.\n\nYou must initiate a multipart upload (see [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html))\ + \ before you can upload any part. In response to your initiate request, Amazon\ + \ S3 returns an upload ID, a unique identifier that you must include in your\ + \ upload part request.\n\nPart numbers can be any number from 1 to 10,000,\ + \ inclusive. A part number uniquely identifies a part and also defines its\ + \ position within the object being created. If you upload a new part using\ + \ the same part number that was used with a previous part, the previously\ + \ uploaded part is overwritten.\n\nFor information about maximum and minimum\ + \ part sizes and other multipart upload specifications, see [Multipart upload\ + \ limits](https://docs.aws.amazon.com/AmazonS3/latest/userguide/qfacts.html)\ + \ in the _Amazon S3 User Guide_.\n\nAfter you initiate multipart upload and\ + \ upload one or more parts, you must either complete or abort multipart upload\ + \ in order to stop getting charged for storage of the uploaded parts. Only\ + \ after you either complete or abort multipart upload, Amazon S3 frees up\ + \ the parts storage and stops charging you for the parts storage.\n\nFor more\ + \ information on multipart uploads, go to [Multipart Upload Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Zonal endpoint.\ + \ These endpoints support virtual-hosted-style requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nPermissions\n\n \n\n * **General purpose\ + \ bucket permissions** \\- To perform a multipart upload with encryption using\ + \ an Key Management Service key, the requester must have permission to the\ + \ `kms:Decrypt` and `kms:GenerateDataKey` actions on the key. The requester\ + \ must also have permissions for the `kms:GenerateDataKey` action for the\ + \ `CreateMultipartUpload` API. Then, the requester needs permissions for the\ + \ `kms:Decrypt` action on the `UploadPart` and `UploadPartCopy` APIs.\n\n\ + These permissions are required because Amazon S3 must decrypt and read data\ + \ from the encrypted file parts before it completes the multipart upload.\ + \ For more information about KMS permissions, see [Protecting data using server-side\ + \ encryption with KMS](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html)\ + \ in the _Amazon S3 User Guide_. For information about the permissions required\ + \ to use the multipart upload API, see [Multipart upload and permissions](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuAndPermissions.html)\ + \ and [Multipart upload API and permissions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/mpuoverview.html#mpuAndPermissions)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - To grant access to this API operation on a directory bucket, we recommend\ + \ that you use the [ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html)\ + \ API operation for session-based authorization. Specifically, you grant the\ + \ `s3express:CreateSession` permission to the directory bucket in a bucket\ + \ policy or an IAM identity-based policy. Then, you make the `CreateSession`\ + \ API call on the bucket to obtain a session token. With the session token\ + \ in your request header, you can make API requests to this operation. After\ + \ the session token expires, you make another `CreateSession` API call to\ + \ generate a new session token for use. Amazon Web Services CLI or SDKs create\ + \ session and refresh the session token automatically to avoid service interruptions\ + \ when a session expires. For more information about authorization, see [\ + \ `CreateSession` ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html).\n\ + \nIf the object is encrypted with SSE-KMS, you must also have the `kms:GenerateDataKey`\ + \ and `kms:Decrypt` permissions in IAM identity-based policies and KMS key\ + \ policies for the KMS key.\n\nData integrity\n\n \n\n**General purpose\ + \ bucket** \\- To ensure that data is not corrupted traversing the network,\ + \ specify the `Content-MD5` header in the upload part request. Amazon S3 checks\ + \ the part data against the provided MD5 value. If they do not match, Amazon\ + \ S3 returns an error. If the upload request is signed with Signature Version\ + \ 4, then Amazon Web Services S3 uses the `x-amz-content-sha256` header as\ + \ a checksum instead of `Content-MD5`. For more information see [Authenticating\ + \ Requests: Using the Authorization Header (Amazon Web Services Signature\ + \ Version 4)](https://docs.aws.amazon.com/AmazonS3/latest/API/sigv4-auth-using-authorization-header.html).\n\ + \n**Directory buckets** \\- MD5 is not supported by directory buckets. You\ + \ can use checksum algorithms to check object integrity.\n\nEncryption\n\n\ + \ \n\n * **General purpose bucket** \\- Server-side encryption is for\ + \ data encryption at rest. Amazon S3 encrypts your data as it writes it to\ + \ disks in its data centers and decrypts it when you access it. You have mutually\ + \ exclusive options to protect data using server-side encryption in Amazon\ + \ S3, depending on how you choose to manage the encryption keys. Specifically,\ + \ the encryption key options are Amazon S3 managed keys (SSE-S3), Amazon Web\ + \ Services KMS keys (SSE-KMS), and Customer-Provided Keys (SSE-C). Amazon\ + \ S3 encrypts data with server-side encryption using Amazon S3 managed keys\ + \ (SSE-S3) by default. You can optionally tell Amazon S3 to encrypt data at\ + \ rest using server-side encryption with other key options. The option you\ + \ use depends on whether you want to use KMS keys (SSE-KMS) or provide your\ + \ own encryption key (SSE-C).\n\nServer-side encryption is supported by the\ + \ S3 Multipart Upload operations. Unless you are using a customer-provided\ + \ encryption key (SSE-C), you don't need to specify the encryption parameters\ + \ in each UploadPart request. Instead, you only need to specify the server-side\ + \ encryption parameters in the initial Initiate Multipart request. For more\ + \ information, see [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html).\n\ + \nIf you have server-side encryption with customer-provided keys (SSE-C) blocked\ + \ for your general purpose bucket, you will get an HTTP 403 Access Denied\ + \ error when you specify the SSE-C request headers while writing new data\ + \ to your bucket. For more information, see [Blocking or unblocking SSE-C\ + \ for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/blocking-unblocking-s3-c-encryption-gpb.html).\n\ + \nIf you request server-side encryption using a customer-provided encryption\ + \ key (SSE-C) in your initiate multipart upload request, you must provide\ + \ identical encryption information in each part upload using the following\ + \ request headers.\n\n * x-amz-server-side-encryption-customer-algorithm\n\ + \n * x-amz-server-side-encryption-customer-key\n\n * x-amz-server-side-encryption-customer-key-MD5\n\ + \nFor more information, see [Using Server-Side Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingServerSideEncryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- For directory\ + \ buckets, there are only two supported options for server-side encryption:\ + \ server-side encryption with Amazon S3 managed keys (SSE-S3) (`AES256`) and\ + \ server-side encryption with KMS keys (SSE-KMS) (`aws:kms`).\n\nSpecial errors\n\ + \n \n\n * Error Code: `NoSuchUpload`\n\n * Description: The specified\ + \ multipart upload does not exist. The upload ID might be invalid, or the\ + \ multipart upload might have been aborted or completed.\n\n * HTTP Status\ + \ Code: 404 Not Found \n\n * SOAP Fault Code Prefix: Client\n\nHTTP Host\ + \ header syntax\n\n \n\n**Directory buckets** \\- The HTTP Host header\ + \ syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `UploadPart`:\n\n * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: Content-Length + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLength' + - name: Content-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/ContentMD5' + - name: x-amz-sdk-checksum-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumAlgorithm' + - name: x-amz-checksum-crc32 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32' + - name: x-amz-checksum-crc32c + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32C' + - name: x-amz-checksum-crc64nvme + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC64NVME' + - name: x-amz-checksum-sha1 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA1' + - name: x-amz-checksum-sha256 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA256' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: partNumber + in: query + required: true + schema: + $ref: '#/components/schemas/PartNumber' + - name: uploadId + in: query + required: true + schema: + $ref: '#/components/schemas/MultipartUploadId' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/StreamingBlob' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UploadPartOutput' + /{Bucket}/{Key+}?x-id=UploadPartCopy: + put: + operationId: UploadPartCopy + description: "Uploads a part by copying data from an existing object as data\ + \ source. To specify the data source, you add the request header `x-amz-copy-source`\ + \ in your request. To specify a byte range, you add the request header `x-amz-copy-source-range`\ + \ in your request.\n\nFor information about maximum and minimum part sizes\ + \ and other multipart upload specifications, see [Multipart upload limits](https://docs.aws.amazon.com/AmazonS3/latest/userguide/qfacts.html)\ + \ in the _Amazon S3 User Guide_.\n\nInstead of copying data from an existing\ + \ object as part data, you might use the [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\ + \ action to upload new data as a part of an object in your request.\n\nYou\ + \ must initiate a multipart upload before you can upload any part. In response\ + \ to your initiate request, Amazon S3 returns the upload ID, a unique identifier\ + \ that you must include in your upload part request.\n\nFor conceptual information\ + \ about multipart uploads, see [Uploading Objects Using Multipart Upload](https://docs.aws.amazon.com/AmazonS3/latest/dev/uploadobjusingmpu.html)\ + \ in the _Amazon S3 User Guide_. For information about copying objects using\ + \ a single atomic action vs. a multipart upload, see [Operations on Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/ObjectOperations.html)\ + \ in the _Amazon S3 User Guide_.\n\n**Directory buckets** \\- For directory\ + \ buckets, you must make requests for this API operation to the Zonal endpoint.\ + \ These endpoints support virtual-hosted-style requests in the format `https://_amzn-s3-demo-bucket_.s3express-_zone-id_._region-code_.amazonaws.com/_key-name_\ + \ `. Path-style requests are not supported. For more information about endpoints\ + \ in Availability Zones, see [Regional and Zonal endpoints for directory buckets\ + \ in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html)\ + \ in the _Amazon S3 User Guide_. For more information about endpoints in Local\ + \ Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html)\ + \ in the _Amazon S3 User Guide_.\n\nAuthentication and authorization\n\n \ + \ \n\nAll `UploadPartCopy` requests must be authenticated and signed by\ + \ using IAM credentials (access key ID and secret access key for the IAM identities).\ + \ All headers with the `x-amz-` prefix, including `x-amz-copy-source`, must\ + \ be signed. For more information, see [REST Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/RESTAuthentication.html).\n\ + \n**Directory buckets** \\- You must use IAM credentials to authenticate and\ + \ authorize your access to the `UploadPartCopy` API operation, instead of\ + \ using the temporary security credentials through the `CreateSession` API\ + \ operation.\n\nAmazon Web Services CLI or SDKs handles authentication and\ + \ authorization on your behalf.\n\nPermissions\n\n \n\nYou must have `READ`\ + \ access to the source object and `WRITE` access to the destination bucket.\n\ + \n * **General purpose bucket permissions** \\- You must have the permissions\ + \ in a policy based on the bucket types of your source bucket and destination\ + \ bucket in an `UploadPartCopy` operation.\n\n * If the source object is\ + \ in a general purpose bucket, you must have the **`s3:GetObject` ** permission\ + \ to read the source object that is being copied. \n\n * If the destination\ + \ bucket is a general purpose bucket, you must have the **`s3:PutObject` **\ + \ permission to write the object copy to the destination bucket. \n\n *\ + \ To perform a multipart upload with encryption using an Key Management Service\ + \ key, the requester must have permission to the `kms:Decrypt` and `kms:GenerateDataKey`\ + \ actions on the key. The requester must also have permissions for the `kms:GenerateDataKey`\ + \ action for the `CreateMultipartUpload` API. Then, the requester needs permissions\ + \ for the `kms:Decrypt` action on the `UploadPart` and `UploadPartCopy` APIs.\ + \ These permissions are required because Amazon S3 must decrypt and read data\ + \ from the encrypted file parts before it completes the multipart upload.\ + \ For more information about KMS permissions, see [Protecting data using server-side\ + \ encryption with KMS](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html)\ + \ in the _Amazon S3 User Guide_. For information about the permissions required\ + \ to use the multipart upload API, see [Multipart upload and permissions](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuAndPermissions.html)\ + \ and [Multipart upload API and permissions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/mpuoverview.html#mpuAndPermissions)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory bucket permissions** \\\ + - You must have permissions in a bucket policy or an IAM identity-based policy\ + \ based on the source and destination bucket types in an `UploadPartCopy`\ + \ operation.\n\n * If the source object that you want to copy is in a directory\ + \ bucket, you must have the **`s3express:CreateSession` ** permission in the\ + \ `Action` element of a policy to read the object. By default, the session\ + \ is in the `ReadWrite` mode. If you want to restrict the access, you can\ + \ explicitly set the `s3express:SessionMode` condition key to `ReadOnly` on\ + \ the copy source bucket.\n\n * If the copy destination is a directory\ + \ bucket, you must have the **`s3express:CreateSession` ** permission in the\ + \ `Action` element of a policy to write the object to the destination. The\ + \ `s3express:SessionMode` condition key cannot be set to `ReadOnly` on the\ + \ copy destination. \n\nIf the object is encrypted with SSE-KMS, you must\ + \ also have the `kms:GenerateDataKey` and `kms:Decrypt` permissions in IAM\ + \ identity-based policies and KMS key policies for the KMS key.\n\nFor example\ + \ policies, see [Example bucket policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html)\ + \ and [Amazon Web Services Identity and Access Management (IAM) identity-based\ + \ policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-identity-policies.html)\ + \ in the _Amazon S3 User Guide_.\n\nEncryption\n\n \n\n * **General purpose\ + \ buckets** \\- For information about using server-side encryption with customer-provided\ + \ encryption keys with the `UploadPartCopy` operation, see [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html).\ + \ \n\nIf you have server-side encryption with customer-provided keys (SSE-C)\ + \ blocked for your general purpose bucket, you will get an HTTP 403 Access\ + \ Denied error when you specify the SSE-C request headers while writing new\ + \ data to your bucket. For more information, see [Blocking or unblocking SSE-C\ + \ for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/blocking-unblocking-s3-c-encryption-gpb.html).\n\ + \n * **Directory buckets** \\- For directory buckets, there are only two\ + \ supported options for server-side encryption: server-side encryption with\ + \ Amazon S3 managed keys (SSE-S3) (`AES256`) and server-side encryption with\ + \ KMS keys (SSE-KMS) (`aws:kms`). For more information, see [Protecting data\ + \ with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\nFor directory buckets, when you perform\ + \ a `CreateMultipartUpload` operation and an `UploadPartCopy` operation, the\ + \ request headers you provide in the `CreateMultipartUpload` request must\ + \ match the default encryption configuration of the destination bucket.\n\n\ + S3 Bucket Keys aren't supported, when you copy SSE-KMS encrypted objects from\ + \ general purpose buckets to directory buckets, from directory buckets to\ + \ general purpose buckets, or between directory buckets, through [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html).\ + \ In this case, Amazon S3 makes a call to KMS every time a copy request is\ + \ made for a KMS-encrypted object.\n\nSpecial errors\n\n \n\n * Error\ + \ Code: `NoSuchUpload`\n\n * Description: The specified multipart upload\ + \ does not exist. The upload ID might be invalid, or the multipart upload\ + \ might have been aborted or completed.\n\n * HTTP Status Code: 404 Not\ + \ Found\n\n * Error Code: `InvalidRequest`\n\n * Description: The specified\ + \ copy source is not supported as a byte-range copy source.\n\n * HTTP\ + \ Status Code: 400 Bad Request\n\nHTTP Host header syntax\n\n \n\n**Directory\ + \ buckets** \\- The HTTP Host header syntax is ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`.\n\ + \nThe following operations are related to `UploadPartCopy`:\n\n * [CreateMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateMultipartUpload.html)\n\ + \n * [UploadPart](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPart.html)\n\ + \n * [CompleteMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CompleteMultipartUpload.html)\n\ + \n * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html)\n\ + \n * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html)\n\ + \n * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html)\n\ + \nYou must URL encode any signed header values that contain spaces. For example,\ + \ if your header value is `my file.txt`, containing two spaces after `my`,\ + \ you must URL encode this value to `my%20%20file.txt`." + parameters: + - name: Bucket + in: path + required: true + schema: + $ref: '#/components/schemas/BucketName' + - name: x-amz-copy-source + in: header + required: true + schema: + $ref: '#/components/schemas/CopySource' + - name: x-amz-copy-source-if-match + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfMatch' + - name: x-amz-copy-source-if-modified-since + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfModifiedSince' + - name: x-amz-copy-source-if-none-match + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfNoneMatch' + - name: x-amz-copy-source-if-unmodified-since + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceIfUnmodifiedSince' + - name: x-amz-copy-source-range + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceRange' + - name: Key + in: path + required: true + schema: + $ref: '#/components/schemas/ObjectKey' + - name: partNumber + in: query + required: true + schema: + $ref: '#/components/schemas/PartNumber' + - name: uploadId + in: query + required: true + schema: + $ref: '#/components/schemas/MultipartUploadId' + - name: x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKey' + - name: x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-copy-source-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceSSECustomerAlgorithm' + - name: x-amz-copy-source-server-side-encryption-customer-key + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceSSECustomerKey' + - name: x-amz-copy-source-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/CopySourceSSECustomerKeyMD5' + - name: x-amz-request-payer + in: header + required: false + schema: + $ref: '#/components/schemas/RequestPayer' + - name: x-amz-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + - name: x-amz-source-expected-bucket-owner + in: header + required: false + schema: + $ref: '#/components/schemas/AccountId' + responses: + '200': + description: Success + content: + text/xml: + schema: + $ref: '#/components/schemas/UploadPartCopyOutput' + /WriteGetObjectResponse: + post: + operationId: WriteGetObjectResponse + description: |- + This operation is not supported for directory buckets. + + Passes transformed objects to a `GetObject` operation when using Object Lambda access points. For information about Object Lambda access points, see [Transforming objects with Object Lambda access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/transforming-objects.html) in the _Amazon S3 User Guide_. + + This operation supports metadata that can be returned by [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html), in addition to `RequestRoute`, `RequestToken`, `StatusCode`, `ErrorCode`, and `ErrorMessage`. The `GetObject` response metadata is supported so that the `WriteGetObjectResponse` caller, typically an Lambda function, can provide the same metadata when it internally invokes `GetObject`. When `WriteGetObjectResponse` is called by a customer-owned Lambda function, the metadata returned to the end user `GetObject` call might differ from what Amazon S3 would normally return. + + You can include any number of metadata headers. When including a metadata header, it should be prefaced with `x-amz-meta`. For example, `x-amz-meta-my-custom-header: MyCustomValue`. The primary use case for this is to forward `GetObject` metadata. + + Amazon Web Services provides some prebuilt Lambda functions that you can use with S3 Object Lambda to detect and redact personally identifiable information (PII) and decompress S3 objects. These Lambda functions are available in the Amazon Web Services Serverless Application Repository, and can be selected through the Amazon Web Services Management Console when you create your Object Lambda access point. + + Example 1: PII Access Control - This Lambda function uses Amazon Comprehend, a natural language processing (NLP) service using machine learning to find insights and relationships in text. It automatically detects personally identifiable information (PII) such as names, addresses, dates, credit card numbers, and social security numbers from documents in your Amazon S3 bucket. + + Example 2: PII Redaction - This Lambda function uses Amazon Comprehend, a natural language processing (NLP) service using machine learning to find insights and relationships in text. It automatically redacts personally identifiable information (PII) such as names, addresses, dates, credit card numbers, and social security numbers from documents in your Amazon S3 bucket. + + Example 3: Decompression - The Lambda function S3ObjectLambdaDecompression, is equipped to decompress objects stored in S3 in one of six compressed file formats including bzip2, gzip, snappy, zlib, zstandard and ZIP. + + For information on how to view and use these functions, see [Using Amazon Web Services built Lambda functions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/olap-examples.html) in the _Amazon S3 User Guide_. + + You must URL encode any signed header values that contain spaces. For example, if your header value is `my file.txt`, containing two spaces after `my`, you must URL encode this value to `my%20%20file.txt`. + parameters: + - name: x-amz-request-route + in: header + required: true + schema: + $ref: '#/components/schemas/RequestRoute' + - name: x-amz-request-token + in: header + required: true + schema: + $ref: '#/components/schemas/RequestToken' + - name: x-amz-fwd-status + in: header + required: false + schema: + $ref: '#/components/schemas/GetObjectResponseStatusCode' + - name: x-amz-fwd-error-code + in: header + required: false + schema: + $ref: '#/components/schemas/ErrorCode' + - name: x-amz-fwd-error-message + in: header + required: false + schema: + $ref: '#/components/schemas/ErrorMessage' + - name: x-amz-fwd-header-accept-ranges + in: header + required: false + schema: + $ref: '#/components/schemas/AcceptRanges' + - name: x-amz-fwd-header-Cache-Control + in: header + required: false + schema: + $ref: '#/components/schemas/CacheControl' + - name: x-amz-fwd-header-Content-Disposition + in: header + required: false + schema: + $ref: '#/components/schemas/ContentDisposition' + - name: x-amz-fwd-header-Content-Encoding + in: header + required: false + schema: + $ref: '#/components/schemas/ContentEncoding' + - name: x-amz-fwd-header-Content-Language + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLanguage' + - name: Content-Length + in: header + required: false + schema: + $ref: '#/components/schemas/ContentLength' + - name: x-amz-fwd-header-Content-Range + in: header + required: false + schema: + $ref: '#/components/schemas/ContentRange' + - name: x-amz-fwd-header-Content-Type + in: header + required: false + schema: + $ref: '#/components/schemas/ContentType' + - name: x-amz-fwd-header-x-amz-checksum-crc32 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32' + - name: x-amz-fwd-header-x-amz-checksum-crc32c + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC32C' + - name: x-amz-fwd-header-x-amz-checksum-crc64nvme + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumCRC64NVME' + - name: x-amz-fwd-header-x-amz-checksum-sha1 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA1' + - name: x-amz-fwd-header-x-amz-checksum-sha256 + in: header + required: false + schema: + $ref: '#/components/schemas/ChecksumSHA256' + - name: x-amz-fwd-header-x-amz-delete-marker + in: header + required: false + schema: + $ref: '#/components/schemas/DeleteMarker' + - name: x-amz-fwd-header-ETag + in: header + required: false + schema: + $ref: '#/components/schemas/ETag' + - name: x-amz-fwd-header-Expires + in: header + required: false + schema: + $ref: '#/components/schemas/Expires' + - name: x-amz-fwd-header-x-amz-expiration + in: header + required: false + schema: + $ref: '#/components/schemas/Expiration' + - name: x-amz-fwd-header-Last-Modified + in: header + required: false + schema: + $ref: '#/components/schemas/LastModified' + - name: x-amz-fwd-header-x-amz-missing-meta + in: header + required: false + schema: + $ref: '#/components/schemas/MissingMeta' + - name: x-amz-fwd-header-x-amz-object-lock-mode + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockMode' + - name: x-amz-fwd-header-x-amz-object-lock-legal-hold + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + - name: x-amz-fwd-header-x-amz-object-lock-retain-until-date + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + - name: x-amz-fwd-header-x-amz-mp-parts-count + in: header + required: false + schema: + $ref: '#/components/schemas/PartsCount' + - name: x-amz-fwd-header-x-amz-replication-status + in: header + required: false + schema: + $ref: '#/components/schemas/ReplicationStatus' + - name: x-amz-fwd-header-x-amz-request-charged + in: header + required: false + schema: + $ref: '#/components/schemas/RequestCharged' + - name: x-amz-fwd-header-x-amz-restore + in: header + required: false + schema: + $ref: '#/components/schemas/Restore' + - name: x-amz-fwd-header-x-amz-server-side-encryption + in: header + required: false + schema: + $ref: '#/components/schemas/ServerSideEncryption' + - name: x-amz-fwd-header-x-amz-server-side-encryption-customer-algorithm + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerAlgorithm' + - name: x-amz-fwd-header-x-amz-server-side-encryption-aws-kms-key-id + in: header + required: false + schema: + $ref: '#/components/schemas/SSEKMSKeyId' + - name: x-amz-fwd-header-x-amz-server-side-encryption-customer-key-MD5 + in: header + required: false + schema: + $ref: '#/components/schemas/SSECustomerKeyMD5' + - name: x-amz-fwd-header-x-amz-storage-class + in: header + required: false + schema: + $ref: '#/components/schemas/StorageClass' + - name: x-amz-fwd-header-x-amz-tagging-count + in: header + required: false + schema: + $ref: '#/components/schemas/TagCount' + - name: x-amz-fwd-header-x-amz-version-id + in: header + required: false + schema: + $ref: '#/components/schemas/ObjectVersionId' + - name: x-amz-fwd-header-x-amz-server-side-encryption-bucket-key-enabled + in: header + required: false + schema: + $ref: '#/components/schemas/BucketKeyEnabled' + requestBody: + required: true + content: + application/xml: + schema: + $ref: '#/components/schemas/StreamingBlob' + responses: + '200': + description: Success +components: + schemas: + AbacInputOverride: + type: object + description: A convenience for presentation + properties: + line_items: + type: array + items: + $ref: '#/components/schemas/AbacInputOverrideJunk' + status: + type: string + AbacInputOverrideJunk: + type: object + properties: + comment: + type: string + source: + type: string + id: + type: number + AbacStatus: + type: object + xml: + name: AbacStatus + properties: + Status: + $ref: '#/components/schemas/BucketAbacStatus' + description: The ABAC status of the general purpose bucket. + description: The ABAC status of the general purpose bucket. When ABAC is enabled + for the general purpose bucket, you can use tags to manage access to the general + purpose buckets as well as for cost tracking purposes. When ABAC is disabled + for the general purpose buckets, you can only use tags for cost tracking purposes. + For more information, see [Using tags with S3 general purpose buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging.html). + AbortDate: + type: string + format: date-time + AbortIncompleteMultipartUpload: + type: object + properties: + DaysAfterInitiation: + $ref: '#/components/schemas/DaysAfterInitiation' + description: Specifies the number of days after which Amazon S3 aborts an + incomplete multipart upload. + description: Specifies the days since the initiation of an incomplete multipart + upload that Amazon S3 will wait before permanently removing all parts of the + upload. For more information, see [ Aborting Incomplete Multipart Uploads + Using a Bucket Lifecycle Configuration](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html#mpu-abort-incomplete-mpu-lifecycle-config) + in the _Amazon S3 User Guide_. + AbortMultipartUploadOutput: + type: object + properties: + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + AbortMultipartUploadRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name to which the upload was taking place. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Key of the object for which the multipart upload was initiated. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: Upload ID that identifies the multipart upload. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + IfMatchInitiatedTime: + $ref: '#/components/schemas/IfMatchInitiatedTime' + description: 'If present, this header aborts an in progress multipart upload + only if it was initiated on the provided timestamp. If the initiated timestamp + of the multipart upload does not match the provided value, the operation + returns a `412 Precondition Failed` error. If the initiated timestamp + matches or if the multipart upload doesn’t exist, the operation returns + a `204 Success (No Content)` response. + + + This functionality is only supported for directory buckets.' + required: + - Bucket + - Key + - UploadId + AbortRuleId: + type: string + AccelerateConfiguration: + type: object + properties: + Status: + $ref: '#/components/schemas/BucketAccelerateStatus' + description: Specifies the transfer acceleration status of the bucket. + description: Configures the transfer acceleration state for an Amazon S3 bucket. + For more information, see [Amazon S3 Transfer Acceleration](https://docs.aws.amazon.com/AmazonS3/latest/dev/transfer-acceleration.html) + in the _Amazon S3 User Guide_. + AcceptRanges: + type: string + AccessControlPolicy: + type: object + properties: + Grants: + $ref: '#/components/schemas/Grants' + description: A list of grants. + Owner: + $ref: '#/components/schemas/Owner' + description: Container for the bucket owner's display name and ID. + description: Contains the elements that set the ACL permissions for an object + per grantee. + AccessControlTranslation: + type: object + properties: + Owner: + $ref: '#/components/schemas/OwnerOverride' + description: Specifies the replica ownership. For default and valid values, + see [PUT bucket replication](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketPUTreplication.html) + in the _Amazon S3 API Reference_. + required: + - Owner + description: A container for information about access control for replicas. + AccessKeyIdValue: + type: string + AccessPointAlias: + type: boolean + AccessPointArn: + type: string + AccountId: + type: string + AllowQuotedRecordDelimiter: + type: boolean + AllowedHeader: + type: string + AllowedHeaders: + type: array + items: + $ref: '#/components/schemas/AllowedHeader' + AllowedMethod: + type: string + AllowedMethods: + type: array + items: + $ref: '#/components/schemas/AllowedMethod' + AllowedOrigin: + type: string + AllowedOrigins: + type: array + items: + $ref: '#/components/schemas/AllowedOrigin' + AnalyticsAndOperator: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'The prefix to use when evaluating an AND predicate: The prefix + that an object must have to be included in the metrics results.' + Tags: + $ref: '#/components/schemas/TagSet' + description: The list of tags to use when evaluating an AND predicate. + description: A conjunction (logical AND) of predicates, which is used in evaluating + a metrics filter. The operator must have at least two predicates in any combination, + and an object must match all of the predicates for the filter to apply. + AnalyticsConfiguration: + type: object + properties: + Id: + $ref: '#/components/schemas/AnalyticsId' + description: The ID that identifies the analytics configuration. + Filter: + $ref: '#/components/schemas/AnalyticsFilter' + description: The filter used to describe a set of objects for analyses. + A filter must have exactly one prefix, one tag, or one conjunction (AnalyticsAndOperator). + If no filter is provided, all objects will be considered in any analysis. + StorageClassAnalysis: + $ref: '#/components/schemas/StorageClassAnalysis' + description: Contains data related to access patterns to be collected and + made available to analyze the tradeoffs between different storage classes. + required: + - Id + - StorageClassAnalysis + description: Specifies the configuration and any analyses for the analytics + filter of an Amazon S3 bucket. + AnalyticsConfigurationList: + type: array + items: + $ref: '#/components/schemas/AnalyticsConfiguration' + AnalyticsExportDestination: + type: object + properties: + S3BucketDestination: + $ref: '#/components/schemas/AnalyticsS3BucketDestination' + description: A destination signifying output to an S3 bucket. + required: + - S3BucketDestination + description: Where to publish the analytics results. + AnalyticsFilter: + allOf: + - $ref: '#/components/schemas/Prefix' + description: |- + The prefix to use when evaluating an analytics filter. + - $ref: '#/components/schemas/Tag' + description: |- + The tag to use when evaluating an analytics filter. + - $ref: '#/components/schemas/AnalyticsAndOperator' + description: |- + A conjunction (logical AND) of predicates, which is used in evaluating an analytics filter. The operator must have at least two predicates. + description: |- + The filter used to describe a set of objects for analyses. A filter must have exactly one prefix, one tag, or one conjunction (AnalyticsAndOperator). If no filter is provided, all objects will be considered in any analysis. + AnalyticsId: + type: string + AnalyticsS3BucketDestination: + type: object + properties: + Format: + $ref: '#/components/schemas/AnalyticsS3ExportFileFormat' + description: Specifies the file format used when exporting data to Amazon + S3. + BucketAccountId: + $ref: '#/components/schemas/AccountId' + description: 'The account ID that owns the destination S3 bucket. If no + account ID is provided, the owner is not validated before exporting data. + + + Although this value is optional, we strongly recommend that you set it + to help prevent problems if the destination bucket ownership changes.' + Bucket: + $ref: '#/components/schemas/BucketName' + description: The Amazon Resource Name (ARN) of the bucket to which data + is exported. + Prefix: + $ref: '#/components/schemas/Prefix' + description: The prefix to use when exporting data. The prefix is prepended + to all results. + required: + - Format + - Bucket + description: Contains information about where to publish the analytics results. + AnalyticsS3ExportFileFormat: + type: string + enum: + - CSV + ArchiveStatus: + type: string + enum: + - ARCHIVE_ACCESS + - DEEP_ARCHIVE_ACCESS + BlockedEncryptionTypes: + type: object + properties: + EncryptionType: + $ref: '#/components/schemas/EncryptionTypeList' + description: 'The object encryption type that you want to block or unblock + for an Amazon S3 general purpose bucket. + + + Currently, this parameter only supports blocking or unblocking server + side encryption with customer-provided keys (SSE-C). For more information + about SSE-C, see [Using server-side encryption with customer-provided + keys (SSE-C)](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ServerSideEncryptionCustomerKeys.html).' + description: "A bucket-level setting for Amazon S3 general purpose buckets used\ + \ to prevent the upload of new objects encrypted with the specified server-side\ + \ encryption type. For example, blocking an encryption type will block `PutObject`,\ + \ `CopyObject`, `PostObject`, multipart upload, and replication requests to\ + \ the bucket for objects with the specified encryption type. However, you\ + \ can continue to read and list any pre-existing objects already encrypted\ + \ with the specified encryption type. For more information, see [Blocking\ + \ or unblocking SSE-C for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/blocking-unblocking-s3-c-encryption-gpb.html).\n\ + \nThis data type is used with the following actions:\n\n * [PutBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketEncryption.html)\n\ + \n * [GetBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketEncryption.html)\n\ + \n * [DeleteBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketEncryption.html)\n\ + \nPermissions\n\n \n\nYou must have the `s3:PutEncryptionConfiguration`\ + \ permission to block or unblock an encryption type for a bucket.\n\nYou must\ + \ have the `s3:GetEncryptionConfiguration` permission to view a bucket's encryption\ + \ type." + Body: + type: string + format: byte + Bucket: + type: object + properties: + Name: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket. + CreationDate: + $ref: '#/components/schemas/CreationDate' + description: Date the bucket was created. This date can change when making + changes to your bucket, such as editing its bucket policy. + BucketRegion: + $ref: '#/components/schemas/BucketRegion' + description: '`BucketRegion` indicates the Amazon Web Services region where + the bucket is located. If the request contains at least one valid parameter, + it is included in the response.' + BucketArn: + $ref: '#/components/schemas/S3RegionalOrS3ExpressBucketArnString' + description: 'The Amazon Resource Name (ARN) of the S3 bucket. ARNs uniquely + identify Amazon Web Services resources across all of Amazon Web Services. + + + This parameter is only supported for S3 directory buckets. For more information, + see [Using tags with directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-tagging.html).' + description: In terms of implementation, a Bucket is a resource. + BucketAbacStatus: + type: string + enum: + - Enabled + - Disabled + BucketAccelerateStatus: + type: string + enum: + - Enabled + - Suspended + BucketAlreadyExists: + type: object + properties: {} + description: The requested bucket name is not available. The bucket namespace + is shared by all users of the system. Select a different name and try again. + BucketAlreadyOwnedByYou: + type: object + properties: {} + description: The bucket you tried to create already exists, and you own it. + Amazon S3 returns this error in all Amazon Web Services Regions except in + the North Virginia Region. For legacy compatibility, if you re-create an existing + bucket that you already own in the North Virginia Region, Amazon S3 returns + 200 OK and resets the bucket access control lists (ACLs). + BucketCannedACL: + type: string + enum: + - private + - public-read + - public-read-write + - authenticated-read + BucketInfo: + type: object + properties: + DataRedundancy: + $ref: '#/components/schemas/DataRedundancy' + description: The number of Zone (Availability Zone or Local Zone) that's + used for redundancy for the bucket. + Type: + $ref: '#/components/schemas/BucketType' + description: The type of bucket. + description: 'Specifies the information about the bucket that will be created. + For more information about directory buckets, see [Directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-overview.html) + in the _Amazon S3 User Guide_. + + + This functionality is only supported by directory buckets.' + BucketKeyEnabled: + type: boolean + BucketLifecycleConfiguration: + type: object + properties: + Rules: + $ref: '#/components/schemas/LifecycleRules' + description: A lifecycle rule for individual objects in an Amazon S3 bucket. + required: + - Rules + description: Specifies the lifecycle configuration for objects in an Amazon + S3 bucket. For more information, see [Object Lifecycle Management](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lifecycle-mgmt.html) + in the _Amazon S3 User Guide_. + BucketLocationConstraint: + type: string + enum: + - af-south-1 + - ap-east-1 + - ap-northeast-1 + - ap-northeast-2 + - ap-northeast-3 + - ap-south-1 + - ap-south-2 + - ap-southeast-1 + - ap-southeast-2 + - ap-southeast-3 + - ap-southeast-4 + - ap-southeast-5 + - ca-central-1 + - cn-north-1 + - cn-northwest-1 + - EU + - eu-central-1 + - eu-central-2 + - eu-north-1 + - eu-south-1 + - eu-south-2 + - eu-west-1 + - eu-west-2 + - eu-west-3 + - il-central-1 + - me-central-1 + - me-south-1 + - sa-east-1 + - us-east-2 + - us-gov-east-1 + - us-gov-west-1 + - us-west-1 + - us-west-2 + BucketLocationName: + type: string + BucketLoggingStatus: + type: object + properties: + LoggingEnabled: + $ref: '#/components/schemas/LoggingEnabled' + description: Container for logging status information. + BucketLogsPermission: + type: string + enum: + - FULL_CONTROL + - READ + - WRITE + BucketName: + type: string + BucketRegion: + type: string + BucketType: + type: string + enum: + - Directory + BucketVersioningStatus: + type: string + enum: + - Enabled + - Suspended + Buckets: + type: array + items: + allOf: + - $ref: '#/components/schemas/Bucket' + - xml: + name: Bucket + + BypassGovernanceRetention: + type: boolean + BytesProcessed: + type: integer + format: int64 + BytesReturned: + type: integer + format: int64 + BytesScanned: + type: integer + format: int64 + CORSConfiguration: + type: object + properties: + CORSRules: + $ref: '#/components/schemas/CORSRules' + description: A set of origins and methods (cross-origin access that you + want to allow). You can add up to 100 rules to the configuration. + required: + - CORSRules + description: Describes the cross-origin access configuration for objects in + an Amazon S3 bucket. For more information, see [Enabling Cross-Origin Resource + Sharing](https://docs.aws.amazon.com/AmazonS3/latest/dev/cors.html) in the + _Amazon S3 User Guide_. + CORSRule: + type: object + properties: + ID: + $ref: '#/components/schemas/ID' + description: Unique identifier for the rule. The value cannot be longer + than 255 characters. + AllowedHeaders: + $ref: '#/components/schemas/AllowedHeaders' + description: Headers that are specified in the `Access-Control-Request-Headers` + header. These headers are allowed in a preflight OPTIONS request. In response + to any preflight OPTIONS request, Amazon S3 returns any requested headers + that are allowed. + AllowedMethods: + $ref: '#/components/schemas/AllowedMethods' + description: An HTTP method that you allow the origin to execute. Valid + values are `GET`, `PUT`, `HEAD`, `POST`, and `DELETE`. + AllowedOrigins: + $ref: '#/components/schemas/AllowedOrigins' + description: One or more origins you want customers to be able to access + the bucket from. + ExposeHeaders: + $ref: '#/components/schemas/ExposeHeaders' + description: One or more headers in the response that you want customers + to be able to access from their applications (for example, from a JavaScript + `XMLHttpRequest` object). + MaxAgeSeconds: + $ref: '#/components/schemas/MaxAgeSeconds' + description: The time in seconds that your browser is to cache the preflight + response for the specified resource. + required: + - AllowedMethods + - AllowedOrigins + description: Specifies a cross-origin access rule for an Amazon S3 bucket. + CORSRules: + type: array + items: + $ref: '#/components/schemas/CORSRule' + CSVInput: + type: object + properties: + FileHeaderInfo: + $ref: '#/components/schemas/FileHeaderInfo' + description: "Describes the first line of input. Valid values are:\n\n \ + \ * `NONE`: First line is not a header.\n\n * `IGNORE`: First line is\ + \ a header, but you can't use the header values to indicate the column\ + \ in an expression. You can use column position (such as _1, _2, …) to\ + \ indicate the column (`SELECT s._1 FROM OBJECT s`).\n\n * `Use`: First\ + \ line is a header, and you can use the header value to identify a column\ + \ in an expression (`SELECT \"name\" FROM OBJECT`)." + Comments: + $ref: '#/components/schemas/Comments' + description: 'A single character used to indicate that a row should be ignored + when the character is present at the start of that row. You can specify + any character to indicate a comment line. The default character is `#`. + + + Default: `#`' + QuoteEscapeCharacter: + $ref: '#/components/schemas/QuoteEscapeCharacter' + description: A single character used for escaping the quotation mark character + inside an already escaped value. For example, the value `""" a , b """` + is parsed as `" a , b "`. + RecordDelimiter: + $ref: '#/components/schemas/RecordDelimiter' + description: A single character used to separate individual records in the + input. Instead of the default value, you can specify an arbitrary delimiter. + FieldDelimiter: + $ref: '#/components/schemas/FieldDelimiter' + description: A single character used to separate individual fields in a + record. You can specify an arbitrary delimiter. + QuoteCharacter: + $ref: '#/components/schemas/QuoteCharacter' + description: 'A single character used for escaping when the field delimiter + is part of the value. For example, if the value is `a, b`, Amazon S3 wraps + this field value in quotation marks, as follows: `" a , b "`. + + + Type: String + + + Default: `"` + + + Ancestors: `CSV`' + AllowQuotedRecordDelimiter: + $ref: '#/components/schemas/AllowQuotedRecordDelimiter' + description: Specifies that CSV field values may contain quoted record delimiters + and such records should be allowed. Default value is FALSE. Setting this + value to TRUE may lower performance. + description: Describes how an uncompressed comma-separated values (CSV)-formatted + input object is formatted. + CSVOutput: + type: object + properties: + QuoteFields: + $ref: '#/components/schemas/QuoteFields' + description: "Indicates whether to use quotation marks around output fields.\n\ + \n * `ALWAYS`: Always use quotation marks for output fields.\n\n * `ASNEEDED`:\ + \ Use quotation marks for output fields when needed." + QuoteEscapeCharacter: + $ref: '#/components/schemas/QuoteEscapeCharacter' + description: The single character used for escaping the quote character + inside an already escaped value. + RecordDelimiter: + $ref: '#/components/schemas/RecordDelimiter' + description: A single character used to separate individual records in the + output. Instead of the default value, you can specify an arbitrary delimiter. + FieldDelimiter: + $ref: '#/components/schemas/FieldDelimiter' + description: The value used to separate individual fields in a record. You + can specify an arbitrary delimiter. + QuoteCharacter: + $ref: '#/components/schemas/QuoteCharacter' + description: 'A single character used for escaping when the field delimiter + is part of the value. For example, if the value is `a, b`, Amazon S3 wraps + this field value in quotation marks, as follows: `" a , b "`.' + description: Describes how uncompressed comma-separated values (CSV)-formatted + results are formatted. + CacheControl: + type: string + Checksum: + type: object + properties: + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32 checksum` of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the object. + This checksum is present if the object was uploaded with the `CRC64NVME` + checksum algorithm, or if the object was uploaded without a checksum (and + Amazon S3 added the default checksum, `CRC64NVME`, to the uploaded object). + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + When you use the API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type that is used to calculate the object’s checksum + value. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + description: Contains all the possible checksum or digest values for an object. + ChecksumAlgorithm: + type: string + enum: + - CRC32 + - CRC32C + - SHA1 + - SHA256 + - CRC64NVME + ChecksumAlgorithmList: + type: array + items: + $ref: '#/components/schemas/ChecksumAlgorithm' + ChecksumCRC32: + type: string + ChecksumCRC32C: + type: string + ChecksumCRC64NVME: + type: string + ChecksumMode: + type: string + enum: + - ENABLED + ChecksumSHA1: + type: string + ChecksumSHA256: + type: string + ChecksumType: + type: string + enum: + - COMPOSITE + - FULL_OBJECT + ClientToken: + type: string + Code: + type: string + Comments: + type: string + CommonPrefix: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: Container for the specified common prefix. + description: Container for all (if there are any) keys between Prefix and the + next occurrence of the string specified by a delimiter. CommonPrefixes lists + keys that act like subdirectories in the directory specified by Prefix. For + example, if the prefix is notes/ and the delimiter is a slash (/) as in notes/summer/july, + the common prefix is notes/summer/. + CommonPrefixList: + type: array + items: + $ref: '#/components/schemas/CommonPrefix' + CompleteMultipartUploadOutput: + type: object + properties: + Location: + $ref: '#/components/schemas/Location' + description: The URI that identifies the newly created object. + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket that contains the newly created object. + Does not return the access point ARN or access point alias if used. + + + Access points are not supported by directory buckets.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key of the newly created object. + Expiration: + $ref: '#/components/schemas/Expiration' + description: 'If the object expiration is configured, this will contain + the expiration date (`expiry-date`) and rule ID (`rule-id`). The value + of `rule-id` is URL-encoded. + + + This functionality is not supported for directory buckets.' + ETag: + $ref: '#/components/schemas/ETag' + description: Entity tag that identifies the newly created object's data. + Objects with different object data will have different entity tags. The + entity tag is an opaque string. The entity tag may or may not be an MD5 + digest of the object data. If the entity tag is not an MD5 digest of the + object data, it will contain one or more nonhexadecimal characters and/or + will consist of less than 32 or more than 32 hexadecimal digits. For more + information about how the entity tag is calculated, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32 checksum` of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 64-bit `CRC64NVME` checksum of the + object. The `CRC64NVME` checksum is always a full object checksum. For + more information, see [Checking object integrity in the Amazon S3 User + Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + When you use the API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type, which determines how part-level checksums + are combined to create an object-level checksum for multipart objects. + You can use this header as a data integrity check to verify that the checksum + type that is received is the same checksum type that was specified during + the `CreateMultipartUpload` request. For more information, see [Checking + object integrity in the Amazon S3 User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when storing this + object in Amazon S3. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID of the newly created object, in case the bucket + has versioning turned on. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the multipart upload uses an S3 Bucket Key + for server-side encryption with Key Management Service (KMS) keys (SSE-KMS). + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + CompleteMultipartUploadRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'Name of the bucket to which the multipart upload was initiated. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload was initiated. + MultipartUpload: + $ref: '#/components/schemas/CompletedMultipartUpload' + description: The container for the multipart upload request information. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: ID for the initiated multipart upload. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32` checksum of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32C` checksum of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 64-bit `CRC64NVME` checksum of the + object. The `CRC64NVME` checksum is always a full object checksum. For + more information, see [Checking object integrity in the Amazon S3 User + Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 160-bit `SHA1` digest of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 256-bit `SHA256` digest of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: This header specifies the checksum type of the object, which + determines how part-level checksums are combined to create an object-level + checksum for multipart objects. You can use this header as a data integrity + check to verify that the checksum type that is received is the same checksum + that was specified. If the checksum type doesn’t match the checksum type + that was specified for the object during the `CreateMultipartUpload` request, + it’ll result in a `BadDigest` error. For more information, see Checking + object integrity in the Amazon S3 User Guide. + MpuObjectSize: + $ref: '#/components/schemas/MpuObjectSize' + description: The expected total object size of the multipart upload request. + If there’s a mismatch between the specified object size value and the + actual object size value, it results in an `HTTP 400 InvalidRequest` error. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + IfMatch: + $ref: '#/components/schemas/IfMatch' + description: 'Uploads the object only if the ETag (entity tag) value provided + during the WRITE operation matches the ETag of the object in S3. If the + ETag values do not match, the operation returns a `412 Precondition Failed` + error. + + + If a conflicting operation occurs during the upload S3 returns a `409 + ConditionalRequestConflict` response. On a 409 failure you should fetch + the object''s ETag, re-initiate the multipart upload with `CreateMultipartUpload`, + and re-upload each part. + + + Expects the ETag value as a string. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232), + or [Conditional requests](https://docs.aws.amazon.com/AmazonS3/latest/userguide/conditional-requests.html) + in the _Amazon S3 User Guide_.' + IfNoneMatch: + $ref: '#/components/schemas/IfNoneMatch' + description: 'Uploads the object only if the object key name does not already + exist in the bucket specified. Otherwise, Amazon S3 returns a `412 Precondition + Failed` error. + + + If a conflicting operation occurs during the upload S3 returns a `409 + ConditionalRequestConflict` response. On a 409 failure you should re-initiate + the multipart upload with `CreateMultipartUpload` and re-upload each part. + + + Expects the ''*'' (asterisk) character. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232), + or [Conditional requests](https://docs.aws.amazon.com/AmazonS3/latest/userguide/conditional-requests.html) + in the _Amazon S3 User Guide_.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'The server-side encryption (SSE) algorithm used to encrypt + the object. This parameter is required only when the object was created + using a checksum algorithm or if your bucket policy requires the use of + SSE-C. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ServerSideEncryptionCustomerKeys.html#ssec-require-condition-key) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'The server-side encryption (SSE) customer managed key. This + parameter is needed only when the object was created using a checksum + algorithm. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'The MD5 server-side encryption (SSE) customer managed key. + This parameter is needed only when the object was created using a checksum + algorithm. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + required: + - Bucket + - Key + - UploadId + CompletedMultipartUpload: + type: object + properties: + Parts: + $ref: '#/components/schemas/CompletedPartList' + description: 'Array of CompletedPart data types. + + + If you do not supply a valid `Part` with your request, the service sends + back an HTTP 400 response.' + description: The container for the completed multipart upload details. + CompletedPart: + type: object + properties: + ETag: + $ref: '#/components/schemas/ETag' + description: Entity tag returned when the part was uploaded. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32` checksum of the part. This + checksum is present if the multipart upload request was created with the + `CRC32` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the part. This + checksum is present if the multipart upload request was created with the + `CRC32C` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the part. + This checksum is present if the multipart upload request was created with + the `CRC64NVME` checksum algorithm to the uploaded object). For more information, + see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` checksum of the part. This + checksum is present if the multipart upload request was created with the + `SHA1` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` checksum of the part. + This checksum is present if the multipart upload request was created with + the `SHA256` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: "Part number that identifies the part. This is a positive integer\ + \ between 1 and 10,000.\n\n * **General purpose buckets** \\- In `CompleteMultipartUpload`,\ + \ when a additional checksum (including `x-amz-checksum-crc32`, `x-amz-checksum-crc32c`,\ + \ `x-amz-checksum-sha1`, or `x-amz-checksum-sha256`) is applied to each\ + \ part, the `PartNumber` must start at 1 and the part numbers must be\ + \ consecutive. Otherwise, Amazon S3 generates an HTTP `400 Bad Request`\ + \ status code and an `InvalidPartOrder` error code.\n\n * **Directory\ + \ buckets** \\- In `CompleteMultipartUpload`, the `PartNumber` must start\ + \ at 1 and the part numbers must be consecutive." + description: Details of the parts that were uploaded. + CompletedPartList: + type: array + items: + $ref: '#/components/schemas/CompletedPart' + CompressionType: + type: string + enum: + - NONE + - GZIP + - BZIP2 + Condition: + type: object + properties: + HttpErrorCodeReturnedEquals: + $ref: '#/components/schemas/HttpErrorCodeReturnedEquals' + description: The HTTP error code when the redirect is applied. In the event + of an error, if the error code equals this value, then the specified redirect + is applied. Required when parent element `Condition` is specified and + sibling `KeyPrefixEquals` is not specified. If both are specified, then + both must be true for the redirect to be applied. + KeyPrefixEquals: + $ref: '#/components/schemas/KeyPrefixEquals' + description: 'The object key name prefix when the redirect is applied. For + example, to redirect requests for `ExamplePage.html`, the key prefix will + be `ExamplePage.html`. To redirect request for all pages with the prefix + `docs/`, the key prefix will be `/docs`, which identifies all objects + in the `docs/` folder. Required when the parent element `Condition` is + specified and sibling `HttpErrorCodeReturnedEquals` is not specified. + If both conditions are specified, both must be true for the redirect to + be applied. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + description: A container for describing a condition that must be met for the + specified redirect to apply. For example, 1. If request is for pages in the + `/docs` folder, redirect to the `/documents` folder. 2. If request results + in HTTP error 4xx, redirect request to another host where you might process + the error. + ConfirmRemoveSelfBucketAccess: + type: boolean + ContentDisposition: + type: string + ContentEncoding: + type: string + ContentLanguage: + type: string + ContentLength: + type: integer + format: int64 + ContentMD5: + type: string + ContentRange: + type: string + ContentType: + type: string + ContinuationEvent: + type: object + properties: {} + description: '' + CopyObjectOutput: + type: object + properties: + CopyObjectResult: + $ref: '#/components/schemas/CopyObjectResult' + description: Container for all response elements. + Expiration: + $ref: '#/components/schemas/Expiration' + description: 'If the object expiration is configured, the response includes + this header. + + + Object expiration information is not returned in directory buckets and + this header returns the value "`NotImplemented`" in all responses for + directory buckets.' + CopySourceVersionId: + $ref: '#/components/schemas/CopySourceVersionId' + description: 'Version ID of the source object that was copied. + + + This functionality is not supported when the source object is in a directory + bucket.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID of the newly created copy. + + + This functionality is not supported for directory buckets.' + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: If present, indicates the Amazon Web Services KMS Encryption + Context to use for object encryption. The value of this header is a Base64 + encoded UTF-8 string holding JSON with the encryption context key-value + pairs. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the copied object uses an S3 Bucket Key for + server-side encryption with Key Management Service (KMS) keys (SSE-KMS). + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + CopyObjectRequest: + type: object + properties: + ACL: + $ref: '#/components/schemas/ObjectCannedACL' + description: "The canned access control list (ACL) to apply to the object.\n\ + \nWhen you copy an object, the ACL metadata is not preserved and is set\ + \ to `private` by default. Only the owner has full access control. To\ + \ override the default ACL setting, specify a new ACL when you generate\ + \ a copy request. For more information, see [Using ACLs](https://docs.aws.amazon.com/AmazonS3/latest/dev/S3_ACLs_UsingACLs.html).\n\ + \nIf the destination bucket that you're copying objects to uses the bucket\ + \ owner enforced setting for S3 Object Ownership, ACLs are disabled and\ + \ no longer affect permissions. Buckets that use this setting only accept\ + \ `PUT` requests that don't specify an ACL or `PUT` requests that specify\ + \ bucket owner full control ACLs, such as the `bucket-owner-full-control`\ + \ canned ACL or an equivalent form of this ACL expressed in the XML format.\ + \ For more information, see [Controlling ownership of objects and disabling\ + \ ACLs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html)\ + \ in the _Amazon S3 User Guide_.\n\n * If your destination bucket uses\ + \ the bucket owner enforced setting for Object Ownership, all objects\ + \ written to the bucket by any account will be owned by the bucket owner.\n\ + \n * This functionality is not supported for directory buckets.\n\n \ + \ * This functionality is not supported for Amazon S3 on Outposts." + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the destination bucket. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + Copying objects across different Amazon Web Services Regions isn''t supported + when the source or destination bucket is in Amazon Web Services Local + Zones. The source and destination buckets must have the same parent Amazon + Web Services Region. Otherwise, you get an HTTP `400 Bad Request` error + with the error code `InvalidRequest`. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must use the Outpost bucket access point ARN or the access point alias + for the destination bucket. You can only copy objects within the same + Outpost bucket. It''s not supported to copy objects across different Amazon + Web Services Outposts, between buckets on the same Outposts, or between + Outposts buckets and any other bucket types. For more information about + S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _S3 on Outposts guide_. When you use this action with S3 on Outposts + through the REST API, you must direct requests to the S3 on Outposts hostname, + in the format ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + The hostname isn''t required when you use the Amazon Web Services CLI + or SDKs.' + CacheControl: + $ref: '#/components/schemas/CacheControl' + description: Specifies the caching behavior along the request/reply chain. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm that you want Amazon S3 to use to + create the checksum for the object. For more information, see [Checking + object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + When you copy an object, if the source object has a checksum, that checksum + value will be copied to the new object by default. If the `CopyObject` + request does not include this `x-amz-checksum-algorithm` header, the checksum + algorithm will be copied from the source object to the destination object + (if it''s present on the source object). You can optionally specify a + different checksum algorithm to use with the `x-amz-checksum-algorithm` + header. Unrecognized or unsupported values will respond with the HTTP + status code `400 Bad Request`. + + + For directory buckets, when you use Amazon Web Services SDKs, `CRC32` + is the default checksum algorithm that''s used for performance.' + ContentDisposition: + $ref: '#/components/schemas/ContentDisposition' + description: Specifies presentational information for the object. Indicates + whether an object should be displayed in a web browser or downloaded as + a file. It allows specifying the desired filename for the downloaded file. + ContentEncoding: + $ref: '#/components/schemas/ContentEncoding' + description: 'Specifies what content encodings have been applied to the + object and thus what decoding mechanisms must be applied to obtain the + media-type referenced by the Content-Type header field. + + + For directory buckets, only the `aws-chunked` value is supported in this + header field.' + ContentLanguage: + $ref: '#/components/schemas/ContentLanguage' + description: The language the content is in. + ContentType: + $ref: '#/components/schemas/ContentType' + description: A standard MIME type that describes the format of the object + data. + CopySource: + $ref: '#/components/schemas/CopySource' + description: "Specifies the source object for the copy operation. The source\ + \ object can be up to 5 GB. If the source object is an object that was\ + \ uploaded by using a multipart upload, the object copy will be a single\ + \ part object after the source object is copied to the destination bucket.\n\ + \nYou specify the value of the copy source in one of two formats, depending\ + \ on whether you want to access the source object through an [access point](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-points.html):\n\ + \n * For objects not accessed through an access point, specify the name\ + \ of the source bucket and the key of the source object, separated by\ + \ a slash (/). For example, to copy the object `reports/january.pdf` from\ + \ the general purpose bucket `awsexamplebucket`, use `awsexamplebucket/reports/january.pdf`.\ + \ The value must be URL-encoded. To copy the object `reports/january.pdf`\ + \ from the directory bucket `awsexamplebucket--use1-az5--x-s3`, use `awsexamplebucket--use1-az5--x-s3/reports/january.pdf`.\ + \ The value must be URL-encoded.\n\n * For objects accessed through access\ + \ points, specify the Amazon Resource Name (ARN) of the object as accessed\ + \ through the access point, in the format `arn:aws:s3:::accesspoint//object/`.\ + \ For example, to copy the object `reports/january.pdf` through access\ + \ point `my-access-point` owned by account `123456789012` in Region `us-west-2`,\ + \ use the URL encoding of `arn:aws:s3:us-west-2:123456789012:accesspoint/my-access-point/object/reports/january.pdf`.\ + \ The value must be URL encoded.\n\n * Amazon S3 supports copy operations\ + \ using Access points only when the source and destination buckets are\ + \ in the same Amazon Web Services Region.\n\n * Access points are not\ + \ supported by directory buckets.\n\nAlternatively, for objects accessed\ + \ through Amazon S3 on Outposts, specify the ARN of the object as accessed\ + \ in the format `arn:aws:s3-outposts:::outpost//object/`. For example,\ + \ to copy the object `reports/january.pdf` through outpost `my-outpost`\ + \ owned by account `123456789012` in Region `us-west-2`, use the URL encoding\ + \ of `arn:aws:s3-outposts:us-west-2:123456789012:outpost/my-outpost/object/reports/january.pdf`.\ + \ The value must be URL-encoded.\n\nIf your source bucket versioning is\ + \ enabled, the `x-amz-copy-source` header by default identifies the current\ + \ version of an object to copy. If the current version is a delete marker,\ + \ Amazon S3 behaves as if the object was deleted. To copy a different\ + \ version, use the `versionId` query parameter. Specifically, append `?versionId=`\ + \ to the value (for example, `awsexamplebucket/reports/january.pdf?versionId=QUpfdndhfd8438MNFDN93jdnJFkdmqnh893`).\ + \ If you don't specify a version ID, Amazon S3 copies the latest version\ + \ of the source object.\n\nIf you enable versioning on the destination\ + \ bucket, Amazon S3 generates a unique version ID for the copied object.\ + \ This version ID is different from the version ID of the source object.\ + \ Amazon S3 returns the version ID of the copied object in the `x-amz-version-id`\ + \ response header in the response.\n\nIf you do not enable versioning\ + \ or suspend it on the destination bucket, the version ID that Amazon\ + \ S3 generates in the `x-amz-version-id` response header is always null.\n\ + \n**Directory buckets** \\- S3 Versioning isn't enabled and supported\ + \ for directory buckets." + CopySourceIfMatch: + $ref: '#/components/schemas/CopySourceIfMatch' + description: "Copies the object if its entity tag (ETag) matches the specified\ + \ tag.\n\nIf both the `x-amz-copy-source-if-match` and `x-amz-copy-source-if-unmodified-since`\ + \ headers are present in the request and evaluate as follows, Amazon S3\ + \ returns `200 OK` and copies the data:\n\n * `x-amz-copy-source-if-match`\ + \ condition evaluates to true\n\n * `x-amz-copy-source-if-unmodified-since`\ + \ condition evaluates to false" + CopySourceIfModifiedSince: + $ref: '#/components/schemas/CopySourceIfModifiedSince' + description: "Copies the object if it has been modified since the specified\ + \ time.\n\nIf both the `x-amz-copy-source-if-none-match` and `x-amz-copy-source-if-modified-since`\ + \ headers are present in the request and evaluate as follows, Amazon S3\ + \ returns the `412 Precondition Failed` response code:\n\n * `x-amz-copy-source-if-none-match`\ + \ condition evaluates to false\n\n * `x-amz-copy-source-if-modified-since`\ + \ condition evaluates to true" + CopySourceIfNoneMatch: + $ref: '#/components/schemas/CopySourceIfNoneMatch' + description: "Copies the object if its entity tag (ETag) is different than\ + \ the specified ETag.\n\nIf both the `x-amz-copy-source-if-none-match`\ + \ and `x-amz-copy-source-if-modified-since` headers are present in the\ + \ request and evaluate as follows, Amazon S3 returns the `412 Precondition\ + \ Failed` response code:\n\n * `x-amz-copy-source-if-none-match` condition\ + \ evaluates to false\n\n * `x-amz-copy-source-if-modified-since` condition\ + \ evaluates to true" + CopySourceIfUnmodifiedSince: + $ref: '#/components/schemas/CopySourceIfUnmodifiedSince' + description: "Copies the object if it hasn't been modified since the specified\ + \ time.\n\nIf both the `x-amz-copy-source-if-match` and `x-amz-copy-source-if-unmodified-since`\ + \ headers are present in the request and evaluate as follows, Amazon S3\ + \ returns `200 OK` and copies the data:\n\n * `x-amz-copy-source-if-match`\ + \ condition evaluates to true\n\n * `x-amz-copy-source-if-unmodified-since`\ + \ condition evaluates to false" + Expires: + $ref: '#/components/schemas/Expires' + description: The date and time at which the object is no longer cacheable. + GrantFullControl: + $ref: '#/components/schemas/GrantFullControl' + description: "Gives the grantee READ, READ_ACP, and WRITE_ACP permissions\ + \ on the object.\n\n * This functionality is not supported for directory\ + \ buckets.\n\n * This functionality is not supported for Amazon S3 on\ + \ Outposts." + GrantRead: + $ref: '#/components/schemas/GrantRead' + description: "Allows grantee to read the object data and its metadata.\n\ + \n * This functionality is not supported for directory buckets.\n\n \ + \ * This functionality is not supported for Amazon S3 on Outposts." + GrantReadACP: + $ref: '#/components/schemas/GrantReadACP' + description: "Allows grantee to read the object ACL.\n\n * This functionality\ + \ is not supported for directory buckets.\n\n * This functionality is\ + \ not supported for Amazon S3 on Outposts." + GrantWriteACP: + $ref: '#/components/schemas/GrantWriteACP' + description: "Allows grantee to write the ACL for the applicable object.\n\ + \n * This functionality is not supported for directory buckets.\n\n \ + \ * This functionality is not supported for Amazon S3 on Outposts." + IfMatch: + $ref: '#/components/schemas/IfMatch' + description: 'Copies the object if the entity tag (ETag) of the destination + object matches the specified tag. If the ETag values do not match, the + operation returns a `412 Precondition Failed` error. If a concurrent operation + occurs during the upload S3 returns a `409 ConditionalRequestConflict` + response. On a 409 failure you should fetch the object''s ETag and retry + the upload. + + + Expects the ETag value as a string. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + IfNoneMatch: + $ref: '#/components/schemas/IfNoneMatch' + description: 'Copies the object only if the object key name at the destination + does not already exist in the bucket specified. Otherwise, Amazon S3 returns + a `412 Precondition Failed` error. If a concurrent operation occurs during + the upload S3 returns a `409 ConditionalRequestConflict` response. On + a 409 failure you should retry the upload. + + + Expects the ''*'' (asterisk) character. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key of the destination object. + Metadata: + $ref: '#/components/schemas/Metadata' + description: A map of metadata to store with the object in S3. + MetadataDirective: + $ref: '#/components/schemas/MetadataDirective' + description: 'Specifies whether the metadata is copied from the source object + or replaced with metadata that''s provided in the request. When copying + an object, you can preserve all metadata (the default) or specify new + metadata. If this header isn’t specified, `COPY` is the default behavior. + + + **General purpose bucket** \- For general purpose buckets, when you grant + permissions, you can use the `s3:x-amz-metadata-directive` condition key + to enforce certain metadata behavior when objects are uploaded. For more + information, see [Amazon S3 condition key examples](https://docs.aws.amazon.com/AmazonS3/latest/dev/amazon-s3-policy-keys.html) + in the _Amazon S3 User Guide_. + + + `x-amz-website-redirect-location` is unique to each object and is not + copied when using the `x-amz-metadata-directive` header. To copy the value, + you must specify `x-amz-website-redirect-location` in the request header.' + TaggingDirective: + $ref: '#/components/schemas/TaggingDirective' + description: "Specifies whether the object tag-set is copied from the source\ + \ object or replaced with the tag-set that's provided in the request.\n\ + \nThe default value is `COPY`.\n\n**Directory buckets** \\- For directory\ + \ buckets in a `CopyObject` operation, only the empty tag-set is supported.\ + \ Any requests that attempt to write non-empty tags into directory buckets\ + \ will receive a `501 Not Implemented` status code. When the destination\ + \ bucket is a directory bucket, you will receive a `501 Not Implemented`\ + \ response in any of the following situations:\n\n * When you attempt\ + \ to `COPY` the tag-set from an S3 source object that has non-empty tags.\n\ + \n * When you attempt to `REPLACE` the tag-set of a source object and\ + \ set a non-empty value to `x-amz-tagging`.\n\n * When you don't set\ + \ the `x-amz-tagging-directive` header and the source object has non-empty\ + \ tags. This is because the default value of `x-amz-tagging-directive`\ + \ is `COPY`.\n\nBecause only the empty tag-set is supported for directory\ + \ buckets in a `CopyObject` operation, the following situations are allowed:\n\ + \n * When you attempt to `COPY` the tag-set from a directory bucket source\ + \ object that has no tags to a general purpose bucket. It copies an empty\ + \ tag-set to the destination object.\n\n * When you attempt to `REPLACE`\ + \ the tag-set of a directory bucket source object and set the `x-amz-tagging`\ + \ value of the directory bucket destination object to empty.\n\n * When\ + \ you attempt to `REPLACE` the tag-set of a general purpose bucket source\ + \ object that has non-empty tags and set the `x-amz-tagging` value of\ + \ the directory bucket destination object to empty.\n\n * When you attempt\ + \ to `REPLACE` the tag-set of a directory bucket source object and don't\ + \ set the `x-amz-tagging` value of the directory bucket destination object.\ + \ This is because the default value of `x-amz-tagging` is the empty value." + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: "The server-side encryption algorithm used when storing this\ + \ object in Amazon S3. Unrecognized or unsupported values won’t write\ + \ a destination object and will receive a `400 Bad Request` response.\n\ + \nAmazon S3 automatically encrypts all new objects that are copied to\ + \ an S3 bucket. When copying an object, if you don't specify encryption\ + \ information in your copy request, the encryption setting of the target\ + \ object is set to the default encryption configuration of the destination\ + \ bucket. By default, all buckets have a base level of encryption configuration\ + \ that uses server-side encryption with Amazon S3 managed keys (SSE-S3).\ + \ If the destination bucket has a different default encryption configuration,\ + \ Amazon S3 uses the corresponding encryption key to encrypt the target\ + \ object copy.\n\nWith server-side encryption, Amazon S3 encrypts your\ + \ data as it writes your data to disks in its data centers and decrypts\ + \ the data when you access it. For more information about server-side\ + \ encryption, see [Using Server-Side Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n**General purpose buckets**\n\n *\ + \ For general purpose buckets, there are the following supported options\ + \ for server-side encryption: server-side encryption with Key Management\ + \ Service (KMS) keys (SSE-KMS), dual-layer server-side encryption with\ + \ Amazon Web Services KMS keys (DSSE-KMS), and server-side encryption\ + \ with customer-provided encryption keys (SSE-C). Amazon S3 uses the corresponding\ + \ KMS key, or a customer-provided key to encrypt the target object copy.\n\ + \n * When you perform a `CopyObject` operation, if you want to use a\ + \ different type of encryption setting for the target object, you can\ + \ specify appropriate encryption-related headers to encrypt the target\ + \ object with an Amazon S3 managed key, a KMS key, or a customer-provided\ + \ key. If the encryption setting in your request is different from the\ + \ default encryption configuration of the destination bucket, the encryption\ + \ setting in your request takes precedence. \n\n**Directory buckets**\n\ + \n * For directory buckets, there are only two supported options for\ + \ server-side encryption: server-side encryption with Amazon S3 managed\ + \ keys (SSE-S3) (`AES256`) and server-side encryption with KMS keys (SSE-KMS)\ + \ (`aws:kms`). We recommend that the bucket's default encryption uses\ + \ the desired encryption configuration and you don't override the bucket\ + \ default encryption in your `CreateSession` requests or `PUT` object\ + \ requests. Then, new objects are automatically encrypted with the desired\ + \ encryption settings. For more information, see [Protecting data with\ + \ server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_. For more information about the encryption\ + \ overriding behaviors in directory buckets, see [Specifying server-side\ + \ encryption with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\n\ + \n * To encrypt new object copies to a directory bucket with SSE-KMS,\ + \ we recommend you specify SSE-KMS as the directory bucket's default encryption\ + \ configuration with a KMS key (specifically, a [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)).\ + \ The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk)\ + \ (`aws/s3`) isn't supported. Your SSE-KMS configuration can only support\ + \ 1 [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ per directory bucket for the lifetime of the bucket. After you specify\ + \ a customer managed key for SSE-KMS, you can't override the customer\ + \ managed key for the bucket's SSE-KMS configuration. Then, when you perform\ + \ a `CopyObject` operation and want to specify server-side encryption\ + \ settings for new object copies with SSE-KMS in the encryption-related\ + \ request headers, you must ensure the encryption key is the same customer\ + \ managed key that you specified for the directory bucket's default encryption\ + \ configuration. \n\n * **S3 access points for Amazon FSx** \\- When\ + \ accessing data stored in Amazon FSx file systems using S3 access points,\ + \ the only valid server side encryption option is `aws:fsx`. All Amazon\ + \ FSx file systems have encryption configured by default and are encrypted\ + \ at rest. Data is automatically encrypted before being written to the\ + \ file system, and automatically decrypted as it is read. These processes\ + \ are handled transparently by Amazon FSx." + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: "If the `x-amz-storage-class` header is not used, the copied\ + \ object will be stored in the `STANDARD` Storage Class by default. The\ + \ `STANDARD` storage class provides high durability and high availability.\ + \ Depending on performance needs, you can specify a different Storage\ + \ Class.\n\n * **Directory buckets** \\- Directory buckets only support\ + \ `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) in Availability\ + \ Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access storage class)\ + \ in Dedicated Local Zones. Unsupported storage class values won't write\ + \ a destination object and will respond with the HTTP status code `400\ + \ Bad Request`.\n\n * **Amazon S3 on Outposts** \\- S3 on Outposts only\ + \ uses the `OUTPOSTS` Storage Class.\n\nYou can use the `CopyObject` action\ + \ to change the storage class of an object that is already stored in Amazon\ + \ S3 by using the `x-amz-storage-class` header. For more information,\ + \ see [Storage Classes](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html)\ + \ in the _Amazon S3 User Guide_.\n\nBefore using an object as a source\ + \ object for the copy operation, you must restore a copy of it if it meets\ + \ any of the following conditions:\n\n * The storage class of the source\ + \ object is `GLACIER` or `DEEP_ARCHIVE`.\n\n * The storage class of the\ + \ source object is `INTELLIGENT_TIERING` and it's [S3 Intelligent-Tiering\ + \ access tier](https://docs.aws.amazon.com/AmazonS3/latest/userguide/intelligent-tiering-overview.html#intel-tiering-tier-definition)\ + \ is `Archive Access` or `Deep Archive Access`.\n\nFor more information,\ + \ see [RestoreObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_RestoreObject.html)\ + \ and [Copying Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/CopyingObjectsExamples.html)\ + \ in the _Amazon S3 User Guide_." + WebsiteRedirectLocation: + $ref: '#/components/schemas/WebsiteRedirectLocation' + description: 'If the destination bucket is configured as a website, redirects + requests for this object copy to another object in the same bucket or + to an external URL. Amazon S3 stores the value of this header in the object + metadata. This value is unique to each object and is not copied when using + the `x-amz-metadata-directive` header. Instead, you may opt to provide + this header in combination with the `x-amz-metadata-directive` header. + + + This functionality is not supported for directory buckets.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, `AES256`). + + + When you perform a `CopyObject` operation, if you want to use a different + type of encryption setting for the target object, you can specify appropriate + encryption-related headers to encrypt the target object with an Amazon + S3 managed key, a KMS key, or a customer-provided key. If the encryption + setting in your request is different from the default encryption configuration + of the destination bucket, the encryption setting in your request takes + precedence. + + + This functionality is not supported when the destination bucket is a directory + bucket.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded. Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm` + header. + + + This functionality is not supported when the destination bucket is a directory + bucket.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported when the destination bucket is a directory + bucket.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: 'Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to + use for object encryption. All GET and PUT requests for an object protected + by KMS will fail if they''re not made via SSL or using SigV4. For information + about configuring any of the officially supported Amazon Web Services + SDKs and Amazon Web Services CLI, see [Specifying the Signature Version + in Request Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingAWSSDK.html#specify-signature-version) + in the _Amazon S3 User Guide_. + + + **Directory buckets** \- To encrypt data using SSE-KMS, it''s recommended + to specify the `x-amz-server-side-encryption` header to `aws:kms`. Then, + the `x-amz-server-side-encryption-aws-kms-key-id` header implicitly uses + the bucket''s default KMS customer managed key ID. If you want to explicitly + set the ` x-amz-server-side-encryption-aws-kms-key-id` header, it must + match the bucket''s default customer managed key (using key ID or ARN, + not alias). Your SSE-KMS configuration can only support 1 [customer managed + key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk) + per directory bucket''s lifetime. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk) + (`aws/s3`) isn''t supported. Incorrect key specification results in an + HTTP `400 Bad Request` error.' + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: 'Specifies the Amazon Web Services KMS Encryption Context as + an additional encryption context to use for the destination object encryption. + The value of this header is a base64-encoded UTF-8 string holding JSON + with the encryption context key-value pairs. + + + **General purpose buckets** \- This value must be explicitly added to + specify encryption context for `CopyObject` requests if you want an additional + encryption context for your destination object. The additional encryption + context of the source object won''t be copied to the destination object. + For more information, see [Encryption context](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html#encryption-context) + in the _Amazon S3 User Guide_. + + + **Directory buckets** \- You can optionally provide an explicit encryption + context value. The value must match the default encryption context - the + bucket Amazon Resource Name (ARN). An additional encryption context value + is not supported.' + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: 'Specifies whether Amazon S3 should use an S3 Bucket Key for + object encryption with server-side encryption using Key Management Service + (KMS) keys (SSE-KMS). If a target object uses SSE-KMS, you can enable + an S3 Bucket Key for the object. + + + Setting this header to `true` causes Amazon S3 to use an S3 Bucket Key + for object encryption with SSE-KMS. Specifying this header with a COPY + action doesn’t affect bucket-level settings for S3 Bucket Key. + + + For more information, see [Amazon S3 Bucket Keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-key.html) + in the _Amazon S3 User Guide_. + + + **Directory buckets** \- S3 Bucket Keys aren''t supported, when you copy + SSE-KMS encrypted objects from general purpose buckets to directory buckets, + from directory buckets to general purpose buckets, or between directory + buckets, through [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html). + In this case, Amazon S3 makes a call to KMS every time a copy request + is made for a KMS-encrypted object.' + CopySourceSSECustomerAlgorithm: + $ref: '#/components/schemas/CopySourceSSECustomerAlgorithm' + description: 'Specifies the algorithm to use when decrypting the source + object (for example, `AES256`). + + + If the source object for the copy is stored in Amazon S3 using SSE-C, + you must provide the necessary encryption information in your request + so that Amazon S3 can decrypt the object for copying. + + + This functionality is not supported when the source object is in a directory + bucket.' + CopySourceSSECustomerKey: + $ref: '#/components/schemas/CopySourceSSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use to decrypt the source object. The encryption key provided in + this header must be the same one that was used when the source object + was created. + + + If the source object for the copy is stored in Amazon S3 using SSE-C, + you must provide the necessary encryption information in your request + so that Amazon S3 can decrypt the object for copying. + + + This functionality is not supported when the source object is in a directory + bucket.' + CopySourceSSECustomerKeyMD5: + $ref: '#/components/schemas/CopySourceSSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + If the source object for the copy is stored in Amazon S3 using SSE-C, + you must provide the necessary encryption information in your request + so that Amazon S3 can decrypt the object for copying. + + + This functionality is not supported when the source object is in a directory + bucket.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + Tagging: + $ref: '#/components/schemas/TaggingHeader' + description: "The tag-set for the object copy in the destination bucket.\ + \ This value must be used in conjunction with the `x-amz-tagging-directive`\ + \ if you choose `REPLACE` for the `x-amz-tagging-directive`. If you choose\ + \ `COPY` for the `x-amz-tagging-directive`, you don't need to set the\ + \ `x-amz-tagging` header, because the tag-set will be copied from the\ + \ source object directly. The tag-set must be encoded as URL Query parameters.\n\ + \nThe default value is the empty value.\n\n**Directory buckets** \\- For\ + \ directory buckets in a `CopyObject` operation, only the empty tag-set\ + \ is supported. Any requests that attempt to write non-empty tags into\ + \ directory buckets will receive a `501 Not Implemented` status code.\ + \ When the destination bucket is a directory bucket, you will receive\ + \ a `501 Not Implemented` response in any of the following situations:\n\ + \n * When you attempt to `COPY` the tag-set from an S3 source object\ + \ that has non-empty tags.\n\n * When you attempt to `REPLACE` the tag-set\ + \ of a source object and set a non-empty value to `x-amz-tagging`.\n\n\ + \ * When you don't set the `x-amz-tagging-directive` header and the source\ + \ object has non-empty tags. This is because the default value of `x-amz-tagging-directive`\ + \ is `COPY`.\n\nBecause only the empty tag-set is supported for directory\ + \ buckets in a `CopyObject` operation, the following situations are allowed:\n\ + \n * When you attempt to `COPY` the tag-set from a directory bucket source\ + \ object that has no tags to a general purpose bucket. It copies an empty\ + \ tag-set to the destination object.\n\n * When you attempt to `REPLACE`\ + \ the tag-set of a directory bucket source object and set the `x-amz-tagging`\ + \ value of the directory bucket destination object to empty.\n\n * When\ + \ you attempt to `REPLACE` the tag-set of a general purpose bucket source\ + \ object that has non-empty tags and set the `x-amz-tagging` value of\ + \ the directory bucket destination object to empty.\n\n * When you attempt\ + \ to `REPLACE` the tag-set of a directory bucket source object and don't\ + \ set the `x-amz-tagging` value of the directory bucket destination object.\ + \ This is because the default value of `x-amz-tagging` is the empty value." + ObjectLockMode: + $ref: '#/components/schemas/ObjectLockMode' + description: 'The Object Lock mode that you want to apply to the object + copy. + + + This functionality is not supported for directory buckets.' + ObjectLockRetainUntilDate: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + description: 'The date and time when you want the Object Lock of the object + copy to expire. + + + This functionality is not supported for directory buckets.' + ObjectLockLegalHoldStatus: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: 'Specifies whether you want to apply a legal hold to the object + copy. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected destination bucket owner. If + the account ID that you provide does not match the actual owner of the + destination bucket, the request fails with the HTTP status code `403 Forbidden` + (access denied). + ExpectedSourceBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected source bucket owner. If the + account ID that you provide does not match the actual owner of the source + bucket, the request fails with the HTTP status code `403 Forbidden` (access + denied). + required: + - Bucket + - CopySource + - Key + CopyObjectResult: + type: object + properties: + ETag: + $ref: '#/components/schemas/ETag' + description: Returns the ETag of the new object. The ETag reflects only + changes to the contents of an object, not its metadata. + LastModified: + $ref: '#/components/schemas/LastModified' + description: Creation date of the object. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type that is used to calculate the object’s checksum + value. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32` checksum of the object. + This checksum is only present if the object was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the object. + This checksum is present if the object being copied was uploaded with + the `CRC64NVME` checksum algorithm, or if the object was uploaded without + a checksum (and Amazon S3 added the default checksum, `CRC64NVME`, to + the uploaded object). For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + description: Container for all response elements. + CopyPartResult: + type: object + properties: + ETag: + $ref: '#/components/schemas/ETag' + description: Entity tag of the object. + LastModified: + $ref: '#/components/schemas/LastModified' + description: Date and time at which the object was uploaded. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32` checksum of the part. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32C` checksum of the part. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the part. + This checksum is present if the multipart upload request was created with + the `CRC64NVME` checksum algorithm to the uploaded object). For more information, + see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 160-bit `SHA1` checksum of the part. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 256-bit `SHA256` checksum of the + part. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + description: Container for all response elements. + CopySource: + type: string + pattern: ^\/?.+\/.+$ + CopySourceIfMatch: + type: string + CopySourceIfModifiedSince: + type: string + format: date-time + CopySourceIfNoneMatch: + type: string + CopySourceIfUnmodifiedSince: + type: string + format: date-time + CopySourceRange: + type: string + CopySourceSSECustomerAlgorithm: + type: string + CopySourceSSECustomerKey: + type: string + CopySourceSSECustomerKeyMD5: + type: string + CopySourceVersionId: + type: string + CreateBucketConfiguration: + type: object + properties: + LocationConstraint: + $ref: '#/components/schemas/BucketLocationConstraint' + description: 'Specifies the Region where the bucket will be created. You + might choose a Region to optimize latency, minimize costs, or address + regulatory requirements. For example, if you reside in Europe, you will + probably find it advantageous to create buckets in the Europe (Ireland) + Region. + + + If you don''t specify a Region, the bucket is created in the US East (N. + Virginia) Region (us-east-1) by default. Configurations using the value + `EU` will create a bucket in `eu-west-1`. + + + For a list of the valid values for all of the Amazon Web Services Regions, + see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region). + + + This functionality is not supported for directory buckets.' + Location: + $ref: '#/components/schemas/LocationInfo' + description: 'Specifies the location where the bucket will be created. + + + **Directory buckets** \- The location type is Availability Zone or Local + Zone. To use the Local Zone location type, your account must be enabled + for Local Zones. Otherwise, you get an HTTP `403 Forbidden` error with + the error code `AccessDenied`. To learn more, see [Enable accounts for + Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/opt-in-directory-bucket-lz.html) + in the _Amazon S3 User Guide_. + + + This functionality is only supported by directory buckets.' + Bucket: + $ref: '#/components/schemas/BucketInfo' + description: 'Specifies the information about the bucket that will be created. + + + This functionality is only supported by directory buckets.' + Tags: + $ref: '#/components/schemas/TagSet' + description: 'An array of tags that you can apply to the bucket that you''re + creating. Tags are key-value pairs of metadata used to categorize and + organize your buckets, track costs, and control access. + + + You must have the `s3:TagResource` permission to create a general purpose + bucket with tags or the `s3express:TagResource` permission to create a + directory bucket with tags. + + + When creating buckets with tags, note that tag-based conditions using + `aws:ResourceTag` and `s3:BucketTag` condition keys are applicable only + after ABAC is enabled on the bucket. To learn more, see [Enabling ABAC + in general purpose buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging-enable-abac.html).' + description: The configuration information for the bucket. + CreateBucketMetadataConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that you want to create the metadata + configuration for. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: The `Content-MD5` header for the metadata configuration. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The checksum algorithm to use with your metadata configuration. + MetadataConfiguration: + $ref: '#/components/schemas/MetadataConfiguration' + description: The contents of your metadata configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected owner of the general purpose bucket that corresponds + to your metadata configuration. + required: + - Bucket + - MetadataConfiguration + CreateBucketMetadataTableConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that you want to create the metadata + table configuration for. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: The `Content-MD5` header for the metadata table configuration. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The checksum algorithm to use with your metadata table configuration. + MetadataTableConfiguration: + $ref: '#/components/schemas/MetadataTableConfiguration' + description: The contents of your metadata table configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected owner of the general purpose bucket that corresponds + to your metadata table configuration. + required: + - Bucket + - MetadataTableConfiguration + CreateBucketOutput: + type: object + properties: + Location: + $ref: '#/components/schemas/Location' + description: A forward slash followed by the name of the bucket. + BucketArn: + $ref: '#/components/schemas/S3RegionalOrS3ExpressBucketArnString' + description: 'The Amazon Resource Name (ARN) of the S3 bucket. ARNs uniquely + identify Amazon Web Services resources across all of Amazon Web Services. + + + This parameter is only supported for S3 directory buckets. For more information, + see [Using tags with directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-tagging.html).' + CreateBucketRequest: + type: object + properties: + ACL: + $ref: '#/components/schemas/BucketCannedACL' + description: 'The canned ACL to apply to the bucket. + + + This functionality is not supported for directory buckets.' + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket to create. + + + **General purpose buckets** \- For information about bucket naming restrictions, + see [Bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/bucketnamingrules.html) + in the _Amazon S3 User Guide_. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + CreateBucketConfiguration: + $ref: '#/components/schemas/CreateBucketConfiguration' + description: The configuration information for the bucket. + GrantFullControl: + $ref: '#/components/schemas/GrantFullControl' + description: 'Allows grantee the read, write, read ACP, and write ACP permissions + on the bucket. + + + This functionality is not supported for directory buckets.' + GrantRead: + $ref: '#/components/schemas/GrantRead' + description: 'Allows grantee to list the objects in the bucket. + + + This functionality is not supported for directory buckets.' + GrantReadACP: + $ref: '#/components/schemas/GrantReadACP' + description: 'Allows grantee to read the bucket ACL. + + + This functionality is not supported for directory buckets.' + GrantWrite: + $ref: '#/components/schemas/GrantWrite' + description: 'Allows grantee to create new objects in the bucket. + + + For the bucket and object owners of existing objects, also allows deletions + and overwrites of those objects. + + + This functionality is not supported for directory buckets.' + GrantWriteACP: + $ref: '#/components/schemas/GrantWriteACP' + description: 'Allows grantee to write the ACL for the applicable bucket. + + + This functionality is not supported for directory buckets.' + ObjectLockEnabledForBucket: + $ref: '#/components/schemas/ObjectLockEnabledForBucket' + description: 'Specifies whether you want S3 Object Lock to be enabled for + the new bucket. + + + This functionality is not supported for directory buckets.' + ObjectOwnership: + $ref: '#/components/schemas/ObjectOwnership' + required: + - Bucket + CreateMultipartUploadOutput: + type: object + properties: + AbortDate: + $ref: '#/components/schemas/AbortDate' + description: 'If the bucket has a lifecycle rule configured with an action + to abort incomplete multipart uploads and the prefix in the lifecycle + rule matches the object name in the request, the response includes this + header. The header indicates when the initiated multipart upload becomes + eligible for an abort operation. For more information, see [ Aborting + Incomplete Multipart Uploads Using a Bucket Lifecycle Configuration](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html#mpu-abort-incomplete-mpu-lifecycle-config) + in the _Amazon S3 User Guide_. + + + The response also includes the `x-amz-abort-rule-id` header that provides + the ID of the lifecycle configuration rule that defines the abort action. + + + This functionality is not supported for directory buckets.' + AbortRuleId: + $ref: '#/components/schemas/AbortRuleId' + description: 'This header is returned along with the `x-amz-abort-date` + header. It identifies the applicable lifecycle configuration rule that + defines the action to abort incomplete multipart uploads. + + + This functionality is not supported for directory buckets.' + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket to which the multipart upload was initiated. + Does not return the access point ARN or access point alias if used. + + + Access points are not supported by directory buckets.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload was initiated. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: ID for the initiated multipart upload. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: If present, indicates the Amazon Web Services KMS Encryption + Context to use for object encryption. The value of this header is a Base64 + encoded string of a UTF-8 encoded JSON, which contains the encryption + context as key-value pairs. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the multipart upload uses an S3 Bucket Key + for server-side encryption with Key Management Service (KMS) keys (SSE-KMS). + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The algorithm that was used to create a checksum of the object. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: Indicates the checksum type that you want Amazon S3 to use + to calculate the object’s checksum value. For more information, see [Checking + object integrity in the Amazon S3 User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + CreateMultipartUploadRequest: + type: object + properties: + ACL: + $ref: '#/components/schemas/ObjectCannedACL' + description: "The canned ACL to apply to the object. Amazon S3 supports\ + \ a set of predefined ACLs, known as _canned ACLs_. Each canned ACL has\ + \ a predefined set of grantees and permissions. For more information,\ + \ see [Canned ACL](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html#CannedACL)\ + \ in the _Amazon S3 User Guide_.\n\nBy default, all objects are private.\ + \ Only the owner has full access control. When uploading an object, you\ + \ can grant access permissions to individual Amazon Web Services accounts\ + \ or to predefined groups defined by Amazon S3. These permissions are\ + \ then added to the access control list (ACL) on the new object. For more\ + \ information, see [Using ACLs](https://docs.aws.amazon.com/AmazonS3/latest/dev/S3_ACLs_UsingACLs.html).\ + \ One way to grant the permissions using the request headers is to specify\ + \ a canned ACL with the `x-amz-acl` request header.\n\n * This functionality\ + \ is not supported for directory buckets.\n\n * This functionality is\ + \ not supported for Amazon S3 on Outposts." + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket where the multipart upload is initiated + and where the object is uploaded. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + CacheControl: + $ref: '#/components/schemas/CacheControl' + description: Specifies caching behavior along the request/reply chain. + ContentDisposition: + $ref: '#/components/schemas/ContentDisposition' + description: Specifies presentational information for the object. + ContentEncoding: + $ref: '#/components/schemas/ContentEncoding' + description: 'Specifies what content encodings have been applied to the + object and thus what decoding mechanisms must be applied to obtain the + media-type referenced by the Content-Type header field. + + + For directory buckets, only the `aws-chunked` value is supported in this + header field.' + ContentLanguage: + $ref: '#/components/schemas/ContentLanguage' + description: The language that the content is in. + ContentType: + $ref: '#/components/schemas/ContentType' + description: A standard MIME type describing the format of the object data. + Expires: + $ref: '#/components/schemas/Expires' + description: The date and time at which the object is no longer cacheable. + GrantFullControl: + $ref: '#/components/schemas/GrantFullControl' + description: "Specify access permissions explicitly to give the grantee\ + \ READ, READ_ACP, and WRITE_ACP permissions on the object.\n\nBy default,\ + \ all objects are private. Only the owner has full access control. When\ + \ uploading an object, you can use this header to explicitly grant access\ + \ permissions to specific Amazon Web Services accounts or groups. This\ + \ header maps to specific permissions that Amazon S3 supports in an ACL.\ + \ For more information, see [Access Control List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou specify each grantee as a type=value\ + \ pair, where the type is one of the following:\n\n * `id` – if the value\ + \ specified is the canonical user ID of an Amazon Web Services account\n\ + \n * `uri` – if you are granting permissions to a predefined group\n\n\ + \ * `emailAddress` – if the value specified is the email address of an\ + \ Amazon Web Services account\n\nUsing email addresses to specify a grantee\ + \ is only supported in the following Amazon Web Services Regions:\n\n\ + \ * US East (N. Virginia)\n\n * US West (N. California)\n\n *\ + \ US West (Oregon)\n\n * Asia Pacific (Singapore)\n\n * Asia Pacific\ + \ (Sydney)\n\n * Asia Pacific (Tokyo)\n\n * Europe (Ireland)\n\n\ + \ * South America (São Paulo)\n\nFor a list of all the Amazon S3 supported\ + \ Regions and endpoints, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nFor example, the following\ + \ `x-amz-grant-read` header grants the Amazon Web Services accounts identified\ + \ by account IDs permissions to read object data and its metadata:\n\n\ + `x-amz-grant-read: id=\"11112222333\", id=\"444455556666\" `\n\n * This\ + \ functionality is not supported for directory buckets.\n\n * This functionality\ + \ is not supported for Amazon S3 on Outposts." + GrantRead: + $ref: '#/components/schemas/GrantRead' + description: "Specify access permissions explicitly to allow grantee to\ + \ read the object data and its metadata.\n\nBy default, all objects are\ + \ private. Only the owner has full access control. When uploading an object,\ + \ you can use this header to explicitly grant access permissions to specific\ + \ Amazon Web Services accounts or groups. This header maps to specific\ + \ permissions that Amazon S3 supports in an ACL. For more information,\ + \ see [Access Control List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou specify each grantee as a type=value\ + \ pair, where the type is one of the following:\n\n * `id` – if the value\ + \ specified is the canonical user ID of an Amazon Web Services account\n\ + \n * `uri` – if you are granting permissions to a predefined group\n\n\ + \ * `emailAddress` – if the value specified is the email address of an\ + \ Amazon Web Services account\n\nUsing email addresses to specify a grantee\ + \ is only supported in the following Amazon Web Services Regions:\n\n\ + \ * US East (N. Virginia)\n\n * US West (N. California)\n\n *\ + \ US West (Oregon)\n\n * Asia Pacific (Singapore)\n\n * Asia Pacific\ + \ (Sydney)\n\n * Asia Pacific (Tokyo)\n\n * Europe (Ireland)\n\n\ + \ * South America (São Paulo)\n\nFor a list of all the Amazon S3 supported\ + \ Regions and endpoints, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nFor example, the following\ + \ `x-amz-grant-read` header grants the Amazon Web Services accounts identified\ + \ by account IDs permissions to read object data and its metadata:\n\n\ + `x-amz-grant-read: id=\"11112222333\", id=\"444455556666\" `\n\n * This\ + \ functionality is not supported for directory buckets.\n\n * This functionality\ + \ is not supported for Amazon S3 on Outposts." + GrantReadACP: + $ref: '#/components/schemas/GrantReadACP' + description: "Specify access permissions explicitly to allows grantee to\ + \ read the object ACL.\n\nBy default, all objects are private. Only the\ + \ owner has full access control. When uploading an object, you can use\ + \ this header to explicitly grant access permissions to specific Amazon\ + \ Web Services accounts or groups. This header maps to specific permissions\ + \ that Amazon S3 supports in an ACL. For more information, see [Access\ + \ Control List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou specify each grantee as a type=value\ + \ pair, where the type is one of the following:\n\n * `id` – if the value\ + \ specified is the canonical user ID of an Amazon Web Services account\n\ + \n * `uri` – if you are granting permissions to a predefined group\n\n\ + \ * `emailAddress` – if the value specified is the email address of an\ + \ Amazon Web Services account\n\nUsing email addresses to specify a grantee\ + \ is only supported in the following Amazon Web Services Regions:\n\n\ + \ * US East (N. Virginia)\n\n * US West (N. California)\n\n *\ + \ US West (Oregon)\n\n * Asia Pacific (Singapore)\n\n * Asia Pacific\ + \ (Sydney)\n\n * Asia Pacific (Tokyo)\n\n * Europe (Ireland)\n\n\ + \ * South America (São Paulo)\n\nFor a list of all the Amazon S3 supported\ + \ Regions and endpoints, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nFor example, the following\ + \ `x-amz-grant-read` header grants the Amazon Web Services accounts identified\ + \ by account IDs permissions to read object data and its metadata:\n\n\ + `x-amz-grant-read: id=\"11112222333\", id=\"444455556666\" `\n\n * This\ + \ functionality is not supported for directory buckets.\n\n * This functionality\ + \ is not supported for Amazon S3 on Outposts." + GrantWriteACP: + $ref: '#/components/schemas/GrantWriteACP' + description: "Specify access permissions explicitly to allows grantee to\ + \ allow grantee to write the ACL for the applicable object.\n\nBy default,\ + \ all objects are private. Only the owner has full access control. When\ + \ uploading an object, you can use this header to explicitly grant access\ + \ permissions to specific Amazon Web Services accounts or groups. This\ + \ header maps to specific permissions that Amazon S3 supports in an ACL.\ + \ For more information, see [Access Control List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html)\ + \ in the _Amazon S3 User Guide_.\n\nYou specify each grantee as a type=value\ + \ pair, where the type is one of the following:\n\n * `id` – if the value\ + \ specified is the canonical user ID of an Amazon Web Services account\n\ + \n * `uri` – if you are granting permissions to a predefined group\n\n\ + \ * `emailAddress` – if the value specified is the email address of an\ + \ Amazon Web Services account\n\nUsing email addresses to specify a grantee\ + \ is only supported in the following Amazon Web Services Regions:\n\n\ + \ * US East (N. Virginia)\n\n * US West (N. California)\n\n *\ + \ US West (Oregon)\n\n * Asia Pacific (Singapore)\n\n * Asia Pacific\ + \ (Sydney)\n\n * Asia Pacific (Tokyo)\n\n * Europe (Ireland)\n\n\ + \ * South America (São Paulo)\n\nFor a list of all the Amazon S3 supported\ + \ Regions and endpoints, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region)\ + \ in the Amazon Web Services General Reference.\n\nFor example, the following\ + \ `x-amz-grant-read` header grants the Amazon Web Services accounts identified\ + \ by account IDs permissions to read object data and its metadata:\n\n\ + `x-amz-grant-read: id=\"11112222333\", id=\"444455556666\" `\n\n * This\ + \ functionality is not supported for directory buckets.\n\n * This functionality\ + \ is not supported for Amazon S3 on Outposts." + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload is to be initiated. + Metadata: + $ref: '#/components/schemas/Metadata' + description: A map of metadata to store with the object in S3. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: "The server-side encryption algorithm used when you store this\ + \ object in Amazon S3 or Amazon FSx.\n\n * **Directory buckets** \\-\ + \ For directory buckets, there are only two supported options for server-side\ + \ encryption: server-side encryption with Amazon S3 managed keys (SSE-S3)\ + \ (`AES256`) and server-side encryption with KMS keys (SSE-KMS) (`aws:kms`).\ + \ We recommend that the bucket's default encryption uses the desired encryption\ + \ configuration and you don't override the bucket default encryption in\ + \ your `CreateSession` requests or `PUT` object requests. Then, new objects\ + \ are automatically encrypted with the desired encryption settings. For\ + \ more information, see [Protecting data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_. For more information about the encryption\ + \ overriding behaviors in directory buckets, see [Specifying server-side\ + \ encryption with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\ + \ \n\nIn the Zonal endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html))\ + \ using the REST API, the encryption request headers must match the encryption\ + \ settings that are specified in the `CreateSession` request. You can't\ + \ override the values of the encryption settings (`x-amz-server-side-encryption`,\ + \ `x-amz-server-side-encryption-aws-kms-key-id`, `x-amz-server-side-encryption-context`,\ + \ and `x-amz-server-side-encryption-bucket-key-enabled`) that are specified\ + \ in the `CreateSession` request. You don't need to explicitly specify\ + \ these encryption settings values in Zonal endpoint API calls, and Amazon\ + \ S3 will use the encryption settings values from the `CreateSession`\ + \ request to protect new objects in the directory bucket.\n\nWhen you\ + \ use the CLI or the Amazon Web Services SDKs, for `CreateSession`, the\ + \ session token refreshes automatically to avoid service interruptions\ + \ when a session expires. The CLI or the Amazon Web Services SDKs use\ + \ the bucket's default encryption configuration for the `CreateSession`\ + \ request. It's not supported to override the encryption settings values\ + \ in the `CreateSession` request. So in the Zonal endpoint API calls (except\ + \ [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)),\ + \ the encryption request headers must match the default encryption configuration\ + \ of the directory bucket.\n\n * **S3 access points for Amazon FSx**\ + \ \\- When accessing data stored in Amazon FSx file systems using S3 access\ + \ points, the only valid server side encryption option is `aws:fsx`. All\ + \ Amazon FSx file systems have encryption configured by default and are\ + \ encrypted at rest. Data is automatically encrypted before being written\ + \ to the file system, and automatically decrypted as it is read. These\ + \ processes are handled transparently by Amazon FSx." + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: "By default, Amazon S3 uses the STANDARD Storage Class to store\ + \ newly created objects. The STANDARD storage class provides high durability\ + \ and high availability. Depending on performance needs, you can specify\ + \ a different Storage Class. For more information, see [Storage Classes](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html)\ + \ in the _Amazon S3 User Guide_.\n\n * Directory buckets only support\ + \ `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) in Availability\ + \ Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access storage class)\ + \ in Dedicated Local Zones.\n\n * Amazon S3 on Outposts only uses the\ + \ OUTPOSTS Storage Class." + WebsiteRedirectLocation: + $ref: '#/components/schemas/WebsiteRedirectLocation' + description: 'If the bucket is configured as a website, redirects requests + for this object to another object in the same bucket or to an external + URL. Amazon S3 stores the value of this header in the object metadata. + + + This functionality is not supported for directory buckets.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, AES256). + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded; Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm` + header. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the customer-provided + encryption key according to RFC 1321. Amazon S3 uses this header for a + message integrity check to ensure that the encryption key was transmitted + without error. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: 'Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to + use for object encryption. If the KMS key doesn''t exist in the same account + that''s issuing the command, you must use the full Key ARN not the Key + ID. + + + **General purpose buckets** \- If you specify `x-amz-server-side-encryption` + with `aws:kms` or `aws:kms:dsse`, this header specifies the ID (Key ID, + Key ARN, or Key Alias) of the KMS key to use. If you specify `x-amz-server-side-encryption:aws:kms` + or `x-amz-server-side-encryption:aws:kms:dsse`, but do not provide `x-amz-server-side-encryption-aws-kms-key-id`, + Amazon S3 uses the Amazon Web Services managed key (`aws/s3`) to protect + the data. + + + **Directory buckets** \- To encrypt data using SSE-KMS, it''s recommended + to specify the `x-amz-server-side-encryption` header to `aws:kms`. Then, + the `x-amz-server-side-encryption-aws-kms-key-id` header implicitly uses + the bucket''s default KMS customer managed key ID. If you want to explicitly + set the ` x-amz-server-side-encryption-aws-kms-key-id` header, it must + match the bucket''s default customer managed key (using key ID or ARN, + not alias). Your SSE-KMS configuration can only support 1 [customer managed + key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk) + per directory bucket''s lifetime. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk) + (`aws/s3`) isn''t supported. Incorrect key specification results in an + HTTP `400 Bad Request` error.' + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: 'Specifies the Amazon Web Services KMS Encryption Context to + use for object encryption. The value of this header is a Base64 encoded + string of a UTF-8 encoded JSON, which contains the encryption context + as key-value pairs. + + + **Directory buckets** \- You can optionally provide an explicit encryption + context value. The value must match the default encryption context - the + bucket Amazon Resource Name (ARN). An additional encryption context value + is not supported.' + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: 'Specifies whether Amazon S3 should use an S3 Bucket Key for + object encryption with server-side encryption using Key Management Service + (KMS) keys (SSE-KMS). + + + **General purpose buckets** \- Setting this header to `true` causes Amazon + S3 to use an S3 Bucket Key for object encryption with SSE-KMS. Also, specifying + this header with a PUT action doesn''t affect bucket-level settings for + S3 Bucket Key. + + + **Directory buckets** \- S3 Bucket Keys are always enabled for `GET` and + `PUT` operations in a directory bucket and can’t be disabled. S3 Bucket + Keys aren''t supported, when you copy SSE-KMS encrypted objects from general + purpose buckets to directory buckets, from directory buckets to general + purpose buckets, or between directory buckets, through [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html), + [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html), + [the Copy operation in Batch Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-objects-Batch-Ops), + or [the import jobs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/create-import-job). + In this case, Amazon S3 makes a call to KMS every time a copy request + is made for a KMS-encrypted object.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + Tagging: + $ref: '#/components/schemas/TaggingHeader' + description: 'The tag-set for the object. The tag-set must be encoded as + URL Query parameters. + + + This functionality is not supported for directory buckets.' + ObjectLockMode: + $ref: '#/components/schemas/ObjectLockMode' + description: 'Specifies the Object Lock mode that you want to apply to the + uploaded object. + + + This functionality is not supported for directory buckets.' + ObjectLockRetainUntilDate: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + description: 'Specifies the date and time when you want the Object Lock + to expire. + + + This functionality is not supported for directory buckets.' + ObjectLockLegalHoldStatus: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: 'Specifies whether you want to apply a legal hold to the uploaded + object. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: Indicates the algorithm that you want Amazon S3 to use to create + the checksum for the object. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: Indicates the checksum type that you want Amazon S3 to use + to calculate the object’s checksum value. For more information, see [Checking + object integrity in the Amazon S3 User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + required: + - Bucket + - Key + CreateSessionOutput: + type: object + properties: + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store objects + in the directory bucket. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If you specify `x-amz-server-side-encryption` with `aws:kms`, + this header indicates the ID of the KMS symmetric encryption customer + managed key that was used for object encryption. + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: If present, indicates the Amazon Web Services KMS Encryption + Context to use for object encryption. The value of this header is a Base64 + encoded string of a UTF-8 encoded JSON, which contains the encryption + context as key-value pairs. This value is stored as object metadata and + automatically gets passed on to Amazon Web Services KMS for future `GetObject` + operations on this object. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether to use an S3 Bucket Key for server-side encryption + with KMS keys (SSE-KMS). + Credentials: + $ref: '#/components/schemas/SessionCredentials' + description: The established temporary security credentials for the created + session. + required: + - Credentials + CreateSessionRequest: + type: object + properties: + SessionMode: + $ref: '#/components/schemas/SessionMode' + description: 'Specifies the mode of the session that will be created, either + `ReadWrite` or `ReadOnly`. By default, a `ReadWrite` session is created. + A `ReadWrite` session is capable of executing all the Zonal endpoint API + operations on a directory bucket. A `ReadOnly` session is constrained + to execute the following Zonal endpoint API operations: `GetObject`, `HeadObject`, + `ListObjectsV2`, `GetObjectAttributes`, `ListParts`, and `ListMultipartUploads`.' + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket that you create a session for. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm to use when you store + objects in the directory bucket. + + + For directory buckets, there are only two supported options for server-side + encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) + (`AES256`) and server-side encryption with KMS keys (SSE-KMS) (`aws:kms`). + By default, Amazon S3 encrypts data with SSE-S3. For more information, + see [Protecting data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/serv-side-encryption.html) + in the _Amazon S3 User Guide_. + + + **S3 access points for Amazon FSx** \- When accessing data stored in Amazon + FSx file systems using S3 access points, the only valid server side encryption + option is `aws:fsx`. All Amazon FSx file systems have encryption configured + by default and are encrypted at rest. Data is automatically encrypted + before being written to the file system, and automatically decrypted as + it is read. These processes are handled transparently by Amazon FSx.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: 'If you specify `x-amz-server-side-encryption` with `aws:kms`, + you must specify the ` x-amz-server-side-encryption-aws-kms-key-id` header + with the ID (Key ID or Key ARN) of the KMS symmetric encryption customer + managed key to use. Otherwise, you get an HTTP `400 Bad Request` error. + Only use the key ID or key ARN. The key alias format of the KMS key isn''t + supported. Also, if the KMS key doesn''t exist in the same account that''t + issuing the command, you must use the full Key ARN not the Key ID. + + + Your SSE-KMS configuration can only support 1 [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk) + per directory bucket''s lifetime. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk) + (`aws/s3`) isn''t supported.' + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: 'Specifies the Amazon Web Services KMS Encryption Context as + an additional encryption context to use for object encryption. The value + of this header is a Base64 encoded string of a UTF-8 encoded JSON, which + contains the encryption context as key-value pairs. This value is stored + as object metadata and automatically gets passed on to Amazon Web Services + KMS for future `GetObject` operations on this object. + + + **General purpose buckets** \- This value must be explicitly added during + `CopyObject` operations if you want an additional encryption context for + your object. For more information, see [Encryption context](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html#encryption-context) + in the _Amazon S3 User Guide_. + + + **Directory buckets** \- You can optionally provide an explicit encryption + context value. The value must match the default encryption context - the + bucket Amazon Resource Name (ARN). An additional encryption context value + is not supported.' + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: 'Specifies whether Amazon S3 should use an S3 Bucket Key for + object encryption with server-side encryption using KMS keys (SSE-KMS). + + + S3 Bucket Keys are always enabled for `GET` and `PUT` operations in a + directory bucket and can’t be disabled. S3 Bucket Keys aren''t supported, + when you copy SSE-KMS encrypted objects from general purpose buckets to + directory buckets, from directory buckets to general purpose buckets, + or between directory buckets, through [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html), + [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html), + [the Copy operation in Batch Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-objects-Batch-Ops), + or [the import jobs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/create-import-job). + In this case, Amazon S3 makes a call to KMS every time a copy request + is made for a KMS-encrypted object.' + required: + - Bucket + CreationDate: + type: string + format: date-time + DataRedundancy: + type: string + enum: + - SingleAvailabilityZone + - SingleLocalZone + Date: + type: string + format: date-time + Days: + type: integer + DaysAfterInitiation: + type: integer + DefaultRetention: + type: object + properties: + Mode: + $ref: '#/components/schemas/ObjectLockRetentionMode' + description: The default Object Lock retention mode you want to apply to + new objects placed in the specified bucket. Must be used with either `Days` + or `Years`. + Days: + $ref: '#/components/schemas/Days' + description: The number of days that you want to specify for the default + retention period. Must be used with `Mode`. + Years: + $ref: '#/components/schemas/Years' + description: The number of years that you want to specify for the default + retention period. Must be used with `Mode`. + description: "The container element for optionally specifying the default Object\ + \ Lock retention settings for new objects placed in the specified bucket.\n\ + \n * The `DefaultRetention` settings require both a mode and a period.\n\n\ + \ * The `DefaultRetention` period can be either `Days` or `Years` but you\ + \ must select one. You cannot specify `Days` and `Years` at the same time." + Delete: + type: object + properties: + Objects: + $ref: '#/components/schemas/ObjectIdentifierList' + description: 'The object to delete. + + + **Directory buckets** \- For directory buckets, an object that''s composed + entirely of whitespace characters is not supported by the `DeleteObjects` + API operation. The request will receive a `400 Bad Request` error and + none of the objects in the request will be deleted.' + Quiet: + $ref: '#/components/schemas/Quiet' + description: Element to enable quiet mode for the request. When you add + this element, you must set its value to `true`. + required: + - Objects + description: Container for the objects to delete. + DeleteBucketAnalyticsConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket from which an analytics configuration + is deleted. + Id: + $ref: '#/components/schemas/AnalyticsId' + description: The ID that identifies the analytics configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + DeleteBucketCorsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: Specifies the bucket whose `cors` configuration is being deleted. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + DeleteBucketEncryptionRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket containing the server-side encryption + configuration to delete. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + DeleteBucketIntelligentTieringConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose configuration you want + to modify or retrieve. + Id: + $ref: '#/components/schemas/IntelligentTieringId' + description: The ID used to identify the S3 Intelligent-Tiering configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + DeleteBucketInventoryConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the inventory configuration + to delete. + Id: + $ref: '#/components/schemas/InventoryId' + description: The ID used to identify the inventory configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + DeleteBucketLifecycleRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name of the lifecycle to delete. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + required: + - Bucket + DeleteBucketMetadataConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that you want to remove the metadata + configuration from. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected bucket owner of the general purpose bucket that + you want to remove the metadata table configuration from. + required: + - Bucket + DeleteBucketMetadataTableConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that you want to remove the metadata + table configuration from. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected bucket owner of the general purpose bucket that + you want to remove the metadata table configuration from. + required: + - Bucket + DeleteBucketMetricsConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the metrics configuration + to delete. + Id: + $ref: '#/components/schemas/MetricsId' + description: The ID used to identify the metrics configuration. The ID has + a 64 character limit and can only contain letters, numbers, periods, dashes, + and underscores. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + DeleteBucketOwnershipControlsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The Amazon S3 bucket whose `OwnershipControls` you want to + delete. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + DeleteBucketPolicyRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + DeleteBucketReplicationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + DeleteBucketRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'Specifies the bucket being deleted. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + DeleteBucketTaggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket that has the tag set to be removed. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + DeleteBucketWebsiteRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name for which you want to remove the website configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + DeleteMarker: + type: boolean + DeleteMarkerEntry: + type: object + properties: + Owner: + $ref: '#/components/schemas/Owner' + description: The account that created the delete marker. + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: Version ID of an object. + IsLatest: + $ref: '#/components/schemas/IsLatest' + description: Specifies whether the object is (true) or is not (false) the + latest version of an object. + LastModified: + $ref: '#/components/schemas/LastModified' + description: Date and time when the object was last modified. + description: Information about the delete marker. + DeleteMarkerReplication: + type: object + properties: + Status: + $ref: '#/components/schemas/DeleteMarkerReplicationStatus' + description: 'Indicates whether to replicate delete markers. + + + Indicates whether to replicate delete markers.' + description: 'Specifies whether Amazon S3 replicates delete markers. If you + specify a `Filter` in your replication configuration, you must also include + a `DeleteMarkerReplication` element. If your `Filter` includes a `Tag` element, + the `DeleteMarkerReplication` `Status` must be set to Disabled, because Amazon + S3 does not support replicating delete markers for tag-based rules. For an + example configuration, see [Basic Rule Configuration](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication-add-config.html#replication-config-min-rule-config). + + + For more information about delete marker replication, see [Basic Rule Configuration](https://docs.aws.amazon.com/AmazonS3/latest/dev/delete-marker-replication.html). + + + If you are using an earlier version of the replication configuration, Amazon + S3 handles replication of delete markers differently. For more information, + see [Backward Compatibility](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication-add-config.html#replication-backward-compat-considerations).' + DeleteMarkerReplicationStatus: + type: string + enum: + - Enabled + - Disabled + DeleteMarkerVersionId: + type: string + DeleteMarkers: + type: array + items: + $ref: '#/components/schemas/DeleteMarkerEntry' + DeleteObjectOutput: + type: object + properties: + DeleteMarker: + $ref: '#/components/schemas/DeleteMarker' + description: 'Indicates whether the specified object version that was permanently + deleted was (true) or was not (false) a delete marker before deletion. + In a simple DELETE, this header indicates whether (true) or not (false) + the current version of the object is a delete marker. To learn more about + delete markers, see [Working with delete markers](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeleteMarker.html). + + + This functionality is not supported for directory buckets.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Returns the version ID of the delete marker created as a result + of the DELETE operation. + + + This functionality is not supported for directory buckets.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + DeleteObjectRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name of the bucket containing the object. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Key name of the object to delete. + MFA: + $ref: '#/components/schemas/MFA' + description: 'The concatenation of the authentication device''s serial number, + a space, and the value that is displayed on your authentication device. + Required to permanently delete a versioned object if versioning is configured + with MFA delete enabled. + + + This functionality is not supported for directory buckets.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID used to reference a specific version of the object. + + + For directory buckets in this API operation, only the `null` value of + the version ID is supported.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + BypassGovernanceRetention: + $ref: '#/components/schemas/BypassGovernanceRetention' + description: 'Indicates whether S3 Object Lock should bypass Governance-mode + restrictions to process this operation. To use this header, you must have + the `s3:BypassGovernanceRetention` permission. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + IfMatch: + $ref: '#/components/schemas/IfMatch' + description: 'Deletes the object if the ETag (entity tag) value provided + during the delete operation matches the ETag of the object in S3. If the + ETag values do not match, the operation returns a `412 Precondition Failed` + error. + + + Expects the ETag value as a string. `If-Match` does accept a string value + of an ''*'' (asterisk) character to denote a match of any ETag. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + IfMatchLastModifiedTime: + $ref: '#/components/schemas/IfMatchLastModifiedTime' + description: 'If present, the object is deleted only if its modification + times matches the provided `Timestamp`. If the `Timestamp` values do not + match, the operation returns a `412 Precondition Failed` error. If the + `Timestamp` matches or if the object doesn’t exist, the operation returns + a `204 Success (No Content)` response. + + + This functionality is only supported for directory buckets.' + IfMatchSize: + $ref: '#/components/schemas/IfMatchSize' + description: 'If present, the object is deleted only if its size matches + the provided size in bytes. If the `Size` value does not match, the operation + returns a `412 Precondition Failed` error. If the `Size` matches or if + the object doesn’t exist, the operation returns a `204 Success (No Content)` + response. + + + This functionality is only supported for directory buckets. + + + You can use the `If-Match`, `x-amz-if-match-last-modified-time` and `x-amz-if-match-size` + conditional headers in conjunction with each-other or individually.' + required: + - Bucket + - Key + DeleteObjectTaggingOutput: + type: object + properties: + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The versionId of the object the tag-set was removed from. + DeleteObjectTaggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the objects from which to remove + the tags. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key that identifies the object in the bucket from which + to remove all tags. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The versionId of the object that the tag-set will be removed + from. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + DeleteObjectsOutput: + type: object + properties: + Deleted: + $ref: '#/components/schemas/DeletedObjects' + description: Container element for a successful delete. It identifies the + object that was successfully deleted. + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + Errors: + $ref: '#/components/schemas/Errors' + description: Container for a failed delete action that describes the object + that Amazon S3 attempted to delete and the error it encountered. + DeleteObjectsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the objects to delete. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Delete: + $ref: '#/components/schemas/Delete' + description: Container for the request. + MFA: + $ref: '#/components/schemas/MFA' + description: 'The concatenation of the authentication device''s serial number, + a space, and the value that is displayed on your authentication device. + Required to permanently delete a versioned object if versioning is configured + with MFA delete enabled. + + + When performing the `DeleteObjects` operation on an MFA delete enabled + bucket, which attempts to delete the specified versioned objects, you + must include an MFA token. If you don''t provide an MFA token, the entire + request will fail, even if there are non-versioned objects that you are + trying to delete. If you provide an invalid token, whether there are versioned + object keys in the request or not, the entire Multi-Object Delete request + will fail. For information about MFA Delete, see [ MFA Delete](https://docs.aws.amazon.com/AmazonS3/latest/dev/Versioning.html#MultiFactorAuthenticationDelete) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + BypassGovernanceRetention: + $ref: '#/components/schemas/BypassGovernanceRetention' + description: 'Specifies whether you want to delete this object even if it + has a Governance-type Object Lock in place. To use this header, you must + have the `s3:BypassGovernanceRetention` permission. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: "Indicates the algorithm used to create the checksum for the\ + \ object when you use the SDK. This header will not provide any additional\ + \ functionality if you don't use the SDK. When you send this header, there\ + \ must be a corresponding `x-amz-checksum-_algorithm_ ` or `x-amz-trailer`\ + \ header sent. Otherwise, Amazon S3 fails the request with the HTTP status\ + \ code `400 Bad Request`.\n\nFor the `x-amz-checksum-_algorithm_ ` header,\ + \ replace ` _algorithm_ ` with the supported algorithm from the following\ + \ list:\n\n * `CRC32`\n\n * `CRC32C`\n\n * `CRC64NVME`\n\n * `SHA1`\n\ + \n * `SHA256`\n\nFor more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the individual checksum value you\ + \ provide through `x-amz-checksum-_algorithm_ ` doesn't match the checksum\ + \ algorithm you set through `x-amz-sdk-checksum-algorithm`, Amazon S3\ + \ fails the request with a `BadDigest` error.\n\nIf you provide an individual\ + \ checksum, Amazon S3 ignores any provided `ChecksumAlgorithm` parameter." + required: + - Bucket + - Delete + DeletePublicAccessBlockRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The Amazon S3 bucket whose `PublicAccessBlock` configuration + you want to delete. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + DeletedObject: + type: object + properties: + Key: + $ref: '#/components/schemas/ObjectKey' + description: The name of the deleted object. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'The version ID of the deleted object. + + + This functionality is not supported for directory buckets.' + DeleteMarker: + $ref: '#/components/schemas/DeleteMarker' + description: 'Indicates whether the specified object version that was permanently + deleted was (true) or was not (false) a delete marker before deletion. + In a simple DELETE, this header indicates whether (true) or not (false) + the current version of the object is a delete marker. To learn more about + delete markers, see [Working with delete markers](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeleteMarker.html). + + + This functionality is not supported for directory buckets.' + DeleteMarkerVersionId: + $ref: '#/components/schemas/DeleteMarkerVersionId' + description: 'The version ID of the delete marker created as a result of + the DELETE operation. If you delete a specific object version, the value + returned by this header is the version ID of the object version deleted. + + + This functionality is not supported for directory buckets.' + description: Information about the deleted object. + DeletedObjects: + type: array + items: + $ref: '#/components/schemas/DeletedObject' + Delimiter: + type: string + Description: + type: string + Destination: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The Amazon Resource Name (ARN) of the bucket where you want + Amazon S3 to store the results. + Account: + $ref: '#/components/schemas/AccountId' + description: 'Destination bucket owner account ID. In a cross-account scenario, + if you direct Amazon S3 to change replica ownership to the Amazon Web + Services account that owns the destination bucket by specifying the `AccessControlTranslation` + property, this is the account ID of the destination bucket owner. For + more information, see [Replication Additional Configuration: Changing + the Replica Owner](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication-change-owner.html) + in the _Amazon S3 User Guide_.' + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'The storage class to use when replicating objects, such as + S3 Standard or reduced redundancy. By default, Amazon S3 uses the storage + class of the source object to create the object replica. + + + For valid values, see the `StorageClass` element of the [PUT Bucket replication](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketPUTreplication.html) + action in the _Amazon S3 API Reference_. + + + `FSX_OPENZFS` is not an accepted value when replicating objects.' + AccessControlTranslation: + $ref: '#/components/schemas/AccessControlTranslation' + description: Specify this only in a cross-account scenario (where source + and destination bucket owners are not the same), and you want to change + replica ownership to the Amazon Web Services account that owns the destination + bucket. If this is not specified in the replication configuration, the + replicas are owned by same Amazon Web Services account that owns the source + object. + EncryptionConfiguration: + $ref: '#/components/schemas/EncryptionConfiguration' + description: A container that provides information about encryption. If + `SourceSelectionCriteria` is specified, you must specify this element. + ReplicationTime: + $ref: '#/components/schemas/ReplicationTime' + description: A container specifying S3 Replication Time Control (S3 RTC), + including whether S3 RTC is enabled and the time when all objects and + operations on objects must be replicated. Must be specified together with + a `Metrics` block. + Metrics: + $ref: '#/components/schemas/Metrics' + description: A container specifying replication metrics-related settings + enabling replication metrics and events. + required: + - Bucket + description: Specifies information about where to publish analysis or configuration + results for an Amazon S3 bucket and S3 Replication Time Control (S3 RTC). + DestinationResult: + type: object + properties: + TableBucketType: + $ref: '#/components/schemas/S3TablesBucketType' + description: The type of the table bucket where the metadata configuration + is stored. The `aws` value indicates an Amazon Web Services managed table + bucket, and the `customer` value indicates a customer-managed table bucket. + V2 metadata configurations are stored in Amazon Web Services managed table + buckets, and V1 metadata configurations are stored in customer-managed + table buckets. + TableBucketArn: + $ref: '#/components/schemas/S3TablesBucketArn' + description: The Amazon Resource Name (ARN) of the table bucket where the + metadata configuration is stored. + TableNamespace: + $ref: '#/components/schemas/S3TablesNamespace' + description: The namespace in the table bucket where the metadata tables + for a metadata configuration are stored. + description: The destination information for the S3 Metadata configuration. + DirectoryBucketToken: + type: string + minLength: 0 + maxLength: 1024 + DisplayName: + type: string + ETag: + type: string + EmailAddress: + type: string + EnableRequestProgress: + type: boolean + EncodingType: + type: string + enum: + - url + description: "

Encoding type used by Amazon S3 to encode the object keys in the response. Responses are\n encoded only in UTF-8.\ + \ An object key can contain any Unicode character. However, the XML 1.0 parser\n\ + \ can't parse certain characters, such as characters with an ASCII value\ + \ from 0 to 10. For characters that\n aren't supported in XML 1.0, you\ + \ can add this parameter to request that Amazon S3 encode the keys in the\n\ + \ response. For more information about characters to avoid in object\ + \ key names, see Object key\n naming guidelines.

\n \n \ + \

When using the URL encoding type, non-ASCII characters that are used\ + \ in an object's key name will\n be percent-encoded according to UTF-8\ + \ code values. For example, the object\n test_file(3).png\ + \ will appear as test_file%283%29.png.

\n
" + Encryption: + type: object + properties: + EncryptionType: + $ref: '#/components/schemas/ServerSideEncryption' + description: The server-side encryption algorithm used when storing job + results in Amazon S3 (for example, AES256, `aws:kms`). + KMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If the encryption type is `aws:kms`, this optional value specifies + the ID of the symmetric encryption customer managed key to use for encryption + of job results. Amazon S3 only supports symmetric encryption KMS keys. + For more information, see [Asymmetric keys in KMS](https://docs.aws.amazon.com/kms/latest/developerguide/symmetric-asymmetric.html) + in the _Amazon Web Services Key Management Service Developer Guide_. + KMSContext: + $ref: '#/components/schemas/KMSContext' + description: If the encryption type is `aws:kms`, this optional value can + be used to specify the encryption context for the restore results. + required: + - EncryptionType + description: Contains the type of server-side encryption used. + EncryptionConfiguration: + type: object + properties: + ReplicaKmsKeyID: + $ref: '#/components/schemas/ReplicaKmsKeyID' + description: Specifies the ID (Key ARN or Alias ARN) of the customer managed + Amazon Web Services KMS key stored in Amazon Web Services Key Management + Service (KMS) for the destination bucket. Amazon S3 uses this key to encrypt + replica objects. Amazon S3 only supports symmetric encryption KMS keys. + For more information, see [Asymmetric keys in Amazon Web Services KMS](https://docs.aws.amazon.com/kms/latest/developerguide/symmetric-asymmetric.html) + in the _Amazon Web Services Key Management Service Developer Guide_. + description: '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.' + EncryptionType: + type: string + enum: + - NONE + - SSE-C + EncryptionTypeList: + type: array + items: + $ref: '#/components/schemas/EncryptionType' + EncryptionTypeMismatch: + type: object + properties: {} + description: The existing object was created with a different encryption type. + Subsequent write requests must include the appropriate encryption parameters + in the request or while creating the session. + End: + type: integer + format: int64 + EndEvent: + type: object + properties: {} + description: A message that indicates the request is complete and no more messages + will be sent. You should not assume that the request is complete until the + client receives an `EndEvent`. + Error: + type: object + properties: + Key: + $ref: '#/components/schemas/ObjectKey' + description: The error key. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'The version ID of the error. + + + This functionality is not supported for directory buckets.' + Code: + $ref: '#/components/schemas/Code' + description: "The error code is a string that uniquely identifies an error\ + \ condition. It is meant to be read and understood by programs that detect\ + \ and handle errors by type. The following is a list of Amazon S3 error\ + \ codes. For more information, see [Error responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html).\n\ + \n * * _Code:_ AccessDenied \n\n * _Description:_ Access Denied\n\ + \n * _HTTP Status Code:_ 403 Forbidden\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ AccountProblem\n\n * _Description:_ There\ + \ is a problem with your Amazon Web Services account that prevents the\ + \ action from completing successfully. Contact Amazon Web Services Support\ + \ for further assistance.\n\n * _HTTP Status Code:_ 403 Forbidden\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ AllAccessDisabled\n\ + \n * _Description:_ All access to this Amazon S3 resource has been\ + \ disabled. Contact Amazon Web Services Support for further assistance.\n\ + \n * _HTTP Status Code:_ 403 Forbidden\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ AmbiguousGrantByEmailAddress\n\n * _Description:_\ + \ The email address you provided is associated with more than one account.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ AuthorizationHeaderMalformed\n\n\ + \ * _Description:_ The authorization header you provided is invalid.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _HTTP Status Code:_\ + \ N/A\n\n * * _Code:_ BadDigest\n\n * _Description:_ The Content-MD5\ + \ you specified did not match what we received.\n\n * _HTTP Status\ + \ Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n\ + \ * * _Code:_ BucketAlreadyExists\n\n * _Description:_ The requested\ + \ bucket name is not available. The bucket namespace is shared by all\ + \ users of the system. Please select a different name and try again.\n\ + \n * _HTTP Status Code:_ 409 Conflict\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ BucketAlreadyOwnedByYou\n\n * _Description:_\ + \ The bucket you tried to create already exists, and you own it. Amazon\ + \ S3 returns this error in all Amazon Web Services Regions except in the\ + \ North Virginia Region. For legacy compatibility, if you re-create an\ + \ existing bucket that you already own in the North Virginia Region, Amazon\ + \ S3 returns 200 OK and resets the bucket access control lists (ACLs).\n\ + \n * _Code:_ 409 Conflict (in all Regions except the North Virginia\ + \ Region) \n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ BucketNotEmpty\n\n * _Description:_ The bucket you tried to delete\ + \ is not empty.\n\n * _HTTP Status Code:_ 409 Conflict\n\n * _SOAP\ + \ Fault Code Prefix:_ Client\n\n * * _Code:_ CredentialsNotSupported\n\ + \n * _Description:_ This request does not support credentials.\n\n\ + \ * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ CrossLocationLoggingProhibited\n\n *\ + \ _Description:_ Cross-location logging not allowed. Buckets in one geographic\ + \ location cannot log information to a bucket in another location.\n\n\ + \ * _HTTP Status Code:_ 403 Forbidden\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ EntityTooSmall\n\n * _Description:_ Your\ + \ proposed upload is smaller than the minimum allowed object size.\n\n\ + \ * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ EntityTooLarge\n\n * _Description:_ Your\ + \ proposed upload exceeds the maximum allowed object size.\n\n * _HTTP\ + \ Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\ + \n * * _Code:_ ExpiredToken\n\n * _Description:_ The provided\ + \ token has expired.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ IllegalVersioningConfigurationException\ + \ \n\n * _Description:_ Indicates that the versioning configuration\ + \ specified in the request is invalid.\n\n * _HTTP Status Code:_ 400\ + \ Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ IncompleteBody\n\n * _Description:_ You did not provide the number\ + \ of bytes specified by the Content-Length HTTP header\n\n * _HTTP\ + \ Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\ + \n * * _Code:_ IncorrectNumberOfFilesInPostRequest\n\n * _Description:_\ + \ POST requires exactly one file upload per request.\n\n * _HTTP Status\ + \ Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n\ + \ * * _Code:_ InlineDataTooLarge\n\n * _Description:_ Inline data\ + \ exceeds the maximum allowed size.\n\n * _HTTP Status Code:_ 400 Bad\ + \ Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ InternalError\n\n * _Description:_ We encountered an internal error.\ + \ Please try again.\n\n * _HTTP Status Code:_ 500 Internal Server Error\n\ + \n * _SOAP Fault Code Prefix:_ Server\n\n * * _Code:_ InvalidAccessKeyId\n\ + \n * _Description:_ The Amazon Web Services access key ID you provided\ + \ does not exist in our records.\n\n * _HTTP Status Code:_ 403 Forbidden\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidAddressingHeader\n\ + \n * _Description:_ You must specify the Anonymous role.\n\n * _HTTP\ + \ Status Code:_ N/A\n\n * _SOAP Fault Code Prefix:_ Client\n\n * \ + \ * _Code:_ InvalidArgument\n\n * _Description:_ Invalid Argument\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ InvalidBucketName\n\n * _Description:_\ + \ The specified bucket is not valid.\n\n * _HTTP Status Code:_ 400\ + \ Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ InvalidBucketState\n\n * _Description:_ The request is not valid\ + \ with the current state of the bucket.\n\n * _HTTP Status Code:_ 409\ + \ Conflict\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ InvalidDigest\n\n * _Description:_ The Content-MD5 you specified\ + \ is not valid.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n *\ + \ _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidEncryptionAlgorithmError\n\ + \n * _Description:_ The encryption request you specified is not valid.\ + \ The valid value is AES256.\n\n * _HTTP Status Code:_ 400 Bad Request\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidLocationConstraint\n\ + \n * _Description:_ The specified location constraint is not valid.\ + \ For more information about Regions, see [How to Select a Region for\ + \ Your Buckets](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingBucket.html#access-bucket-intro).\ + \ \n\n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ InvalidObjectState\n\n * _Description:_\ + \ The action is not valid for the current state of the object.\n\n \ + \ * _HTTP Status Code:_ 403 Forbidden\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ InvalidPart\n\n * _Description:_ One\ + \ or more of the specified parts could not be found. The part might not\ + \ have been uploaded, or the specified entity tag might not have matched\ + \ the part's entity tag.\n\n * _HTTP Status Code:_ 400 Bad Request\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidPartOrder\n\ + \n * _Description:_ The list of parts was not in ascending order. Parts\ + \ list must be specified in order by part number.\n\n * _HTTP Status\ + \ Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n\ + \ * * _Code:_ InvalidPayer\n\n * _Description:_ All access to\ + \ this object has been disabled. Please contact Amazon Web Services Support\ + \ for further assistance.\n\n * _HTTP Status Code:_ 403 Forbidden\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidPolicyDocument\n\ + \n * _Description:_ The content of the form does not meet the conditions\ + \ specified in the policy document.\n\n * _HTTP Status Code:_ 400 Bad\ + \ Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ InvalidRange\n\n * _Description:_ The requested range cannot be satisfied.\n\ + \n * _HTTP Status Code:_ 416 Requested Range Not Satisfiable\n\n \ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidRequest\n\ + \n * _Description:_ Please use `AWS4-HMAC-SHA256`.\n\n * _HTTP Status\ + \ Code:_ 400 Bad Request\n\n * _Code:_ N/A\n\n * * _Code:_ InvalidRequest\n\ + \n * _Description:_ SOAP requests must be made over an HTTPS connection.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ InvalidRequest\n\n * _Description:_\ + \ Amazon S3 Transfer Acceleration is not supported for buckets with non-DNS\ + \ compliant names.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n \ + \ * _Code:_ N/A\n\n * * _Code:_ InvalidRequest\n\n * _Description:_\ + \ Amazon S3 Transfer Acceleration is not supported for buckets with periods\ + \ (.) in their names.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _Code:_ N/A\n\n * * _Code:_ InvalidRequest\n\n * _Description:_\ + \ Amazon S3 Transfer Accelerate endpoint only supports virtual style requests.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _Code:_ N/A\n\n \ + \ * * _Code:_ InvalidRequest\n\n * _Description:_ Amazon S3 Transfer\ + \ Accelerate is not configured on this bucket.\n\n * _HTTP Status Code:_\ + \ 400 Bad Request\n\n * _Code:_ N/A\n\n * * _Code:_ InvalidRequest\n\ + \n * _Description:_ Amazon S3 Transfer Accelerate is disabled on this\ + \ bucket.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n * _Code:_\ + \ N/A\n\n * * _Code:_ InvalidRequest\n\n * _Description:_ Amazon\ + \ S3 Transfer Acceleration is not supported on this bucket. Contact Amazon\ + \ Web Services Support for more information.\n\n * _HTTP Status Code:_\ + \ 400 Bad Request\n\n * _Code:_ N/A\n\n * * _Code:_ InvalidRequest\n\ + \n * _Description:_ Amazon S3 Transfer Acceleration cannot be enabled\ + \ on this bucket. Contact Amazon Web Services Support for more information.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _Code:_ N/A\n\n \ + \ * * _Code:_ InvalidSecurity\n\n * _Description:_ The provided\ + \ security credentials are not valid.\n\n * _HTTP Status Code:_ 403\ + \ Forbidden\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ InvalidSOAPRequest\n\n * _Description:_ The SOAP request body is\ + \ invalid.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP\ + \ Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidStorageClass\n\ + \n * _Description:_ The storage class you specified is not valid.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ InvalidTargetBucketForLogging\n\ + \n * _Description:_ The target bucket for logging does not exist, is\ + \ not owned by you, or does not have the appropriate grants for the log-delivery\ + \ group. \n\n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP\ + \ Fault Code Prefix:_ Client\n\n * * _Code:_ InvalidToken\n\n \ + \ * _Description:_ The provided token is malformed or otherwise invalid.\n\ + \n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ InvalidURI\n\n * _Description:_\ + \ Couldn't parse the specified URI.\n\n * _HTTP Status Code:_ 400 Bad\ + \ Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ KeyTooLongError\n\n * _Description:_ Your key is too long.\n\n \ + \ * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ MalformedACLError\n\n * _Description:_\ + \ The XML you provided was not well-formed or did not validate against\ + \ our published schema.\n\n * _HTTP Status Code:_ 400 Bad Request\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ MalformedPOSTRequest\ + \ \n\n * _Description:_ The body of your POST request is not well-formed\ + \ multipart/form-data.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ MalformedXML\n\ + \n * _Description:_ This happens when the user sends malformed XML\ + \ (XML that doesn't conform to the published XSD) for the configuration.\ + \ The error message is, \"The XML you provided was not well-formed or\ + \ did not validate against our published schema.\" \n\n * _HTTP Status\ + \ Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n\ + \ * * _Code:_ MaxMessageLengthExceeded\n\n * _Description:_ Your\ + \ request was too big.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ MaxPostPreDataLengthExceededError\n\ + \n * _Description:_ Your POST request fields preceding the upload file\ + \ were too large.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n \ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ MetadataTooLarge\n\ + \n * _Description:_ Your metadata headers exceed the maximum allowed\ + \ metadata size.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n *\ + \ _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ MethodNotAllowed\n\ + \n * _Description:_ The specified method is not allowed against this\ + \ resource.\n\n * _HTTP Status Code:_ 405 Method Not Allowed\n\n \ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ MissingAttachment\n\ + \n * _Description:_ A SOAP attachment was expected, but none were found.\n\ + \n * _HTTP Status Code:_ N/A\n\n * _SOAP Fault Code Prefix:_ Client\n\ + \n * * _Code:_ MissingContentLength\n\n * _Description:_ You must\ + \ provide the Content-Length HTTP header.\n\n * _HTTP Status Code:_\ + \ 411 Length Required\n\n * _SOAP Fault Code Prefix:_ Client\n\n *\ + \ * _Code:_ MissingRequestBodyError\n\n * _Description:_ This happens\ + \ when the user sends an empty XML document as a request. The error message\ + \ is, \"Request body is empty.\" \n\n * _HTTP Status Code:_ 400 Bad\ + \ Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ MissingSecurityElement\n\n * _Description:_ The SOAP 1.1 request\ + \ is missing a security element.\n\n * _HTTP Status Code:_ 400 Bad\ + \ Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ MissingSecurityHeader\n\n * _Description:_ Your request is missing\ + \ a required header.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ NoLoggingStatusForKey\n\ + \n * _Description:_ There is no such thing as a logging status subresource\ + \ for a key.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP\ + \ Fault Code Prefix:_ Client\n\n * * _Code:_ NoSuchBucket\n\n \ + \ * _Description:_ The specified bucket does not exist.\n\n * _HTTP\ + \ Status Code:_ 404 Not Found\n\n * _SOAP Fault Code Prefix:_ Client\n\ + \n * * _Code:_ NoSuchBucketPolicy\n\n * _Description:_ The specified\ + \ bucket does not have a bucket policy.\n\n * _HTTP Status Code:_ 404\ + \ Not Found\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ NoSuchKey\n\n * _Description:_ The specified key does not exist.\n\ + \n * _HTTP Status Code:_ 404 Not Found\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ NoSuchLifecycleConfiguration\n\n * _Description:_\ + \ The lifecycle configuration does not exist. \n\n * _HTTP Status Code:_\ + \ 404 Not Found\n\n * _SOAP Fault Code Prefix:_ Client\n\n * *\ + \ _Code:_ NoSuchUpload\n\n * _Description:_ The specified multipart\ + \ upload does not exist. The upload ID might be invalid, or the multipart\ + \ upload might have been aborted or completed.\n\n * _HTTP Status Code:_\ + \ 404 Not Found\n\n * _SOAP Fault Code Prefix:_ Client\n\n * *\ + \ _Code:_ NoSuchVersion \n\n * _Description:_ Indicates that the version\ + \ ID specified in the request does not match an existing version.\n\n\ + \ * _HTTP Status Code:_ 404 Not Found\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ NotImplemented\n\n * _Description:_ A\ + \ header you provided implies functionality that is not implemented.\n\ + \n * _HTTP Status Code:_ 501 Not Implemented\n\n * _SOAP Fault Code\ + \ Prefix:_ Server\n\n * * _Code:_ NotSignedUp\n\n * _Description:_\ + \ Your account is not signed up for the Amazon S3 service. You must sign\ + \ up before you can use Amazon S3. You can sign up at the following URL:\ + \ [Amazon S3](http://aws.amazon.com/s3)\n\n * _HTTP Status Code:_ 403\ + \ Forbidden\n\n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_\ + \ OperationAborted\n\n * _Description:_ A conflicting conditional action\ + \ is currently in progress against this resource. Try again.\n\n *\ + \ _HTTP Status Code:_ 409 Conflict\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ PermanentRedirect\n\n * _Description:_\ + \ The bucket you are attempting to access must be addressed using the\ + \ specified endpoint. Send all future requests to this endpoint.\n\n \ + \ * _HTTP Status Code:_ 301 Moved Permanently\n\n * _SOAP Fault Code\ + \ Prefix:_ Client\n\n * * _Code:_ PreconditionFailed\n\n * _Description:_\ + \ At least one of the preconditions you specified did not hold.\n\n \ + \ * _HTTP Status Code:_ 412 Precondition Failed\n\n * _SOAP Fault\ + \ Code Prefix:_ Client\n\n * * _Code:_ Redirect\n\n * _Description:_\ + \ Temporary redirect.\n\n * _HTTP Status Code:_ 307 Moved Temporarily\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ RestoreAlreadyInProgress\n\ + \n * _Description:_ Object restore is already in progress.\n\n *\ + \ _HTTP Status Code:_ 409 Conflict\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ RequestIsNotMultiPartContent\n\n * _Description:_\ + \ Bucket POST must be of the enclosure-type multipart/form-data.\n\n \ + \ * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ RequestTimeout\n\n * _Description:_ Your\ + \ socket connection to the server was not read from or written to within\ + \ the timeout period.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ RequestTimeTooSkewed\n\ + \n * _Description:_ The difference between the request time and the\ + \ server's time is too large.\n\n * _HTTP Status Code:_ 403 Forbidden\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ RequestTorrentOfBucketError\n\ + \n * _Description:_ Requesting the torrent file of a bucket is not\ + \ permitted.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP\ + \ Fault Code Prefix:_ Client\n\n * * _Code:_ SignatureDoesNotMatch\n\ + \n * _Description:_ The request signature we calculated does not match\ + \ the signature you provided. Check your Amazon Web Services secret access\ + \ key and signing method. For more information, see [REST Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/RESTAuthentication.html)\ + \ and [SOAP Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/SOAPAuthentication.html)\ + \ for details.\n\n * _HTTP Status Code:_ 403 Forbidden\n\n * _SOAP\ + \ Fault Code Prefix:_ Client\n\n * * _Code:_ ServiceUnavailable\n\ + \n * _Description:_ Service is unable to handle request.\n\n * _HTTP\ + \ Status Code:_ 503 Service Unavailable\n\n * _SOAP Fault Code Prefix:_\ + \ Server\n\n * * _Code:_ SlowDown\n\n * _Description:_ Reduce\ + \ your request rate.\n\n * _HTTP Status Code:_ 503 Slow Down\n\n \ + \ * _SOAP Fault Code Prefix:_ Server\n\n * * _Code:_ TemporaryRedirect\n\ + \n * _Description:_ You are being redirected to the bucket while DNS\ + \ updates.\n\n * _HTTP Status Code:_ 307 Moved Temporarily\n\n *\ + \ _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ TokenRefreshRequired\n\ + \n * _Description:_ The provided token must be refreshed.\n\n *\ + \ _HTTP Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_\ + \ Client\n\n * * _Code:_ TooManyBuckets\n\n * _Description:_ You\ + \ have attempted to create more buckets than allowed.\n\n * _HTTP Status\ + \ Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client\n\n\ + \ * * _Code:_ UnexpectedContent\n\n * _Description:_ This request\ + \ does not support content.\n\n * _HTTP Status Code:_ 400 Bad Request\n\ + \n * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ UnresolvableGrantByEmailAddress\n\ + \n * _Description:_ The email address you provided does not match any\ + \ account on record.\n\n * _HTTP Status Code:_ 400 Bad Request\n\n\ + \ * _SOAP Fault Code Prefix:_ Client\n\n * * _Code:_ UserKeyMustBeSpecified\n\ + \n * _Description:_ The bucket POST must contain the specified field\ + \ name. If it is specified, check the order of the fields.\n\n * _HTTP\ + \ Status Code:_ 400 Bad Request\n\n * _SOAP Fault Code Prefix:_ Client" + Message: + $ref: '#/components/schemas/Message' + description: The error message contains a generic description of the error + condition in English. It is intended for a human audience. Simple programs + display the message directly to the end user if they encounter an error + condition they don't know how or don't care to handle. Sophisticated programs + with more exhaustive error handling and proper internationalization are + more likely to ignore the error message. + description: Container for all error elements. + ErrorCode: + type: string + ErrorDetails: + type: object + properties: + ErrorCode: + $ref: '#/components/schemas/ErrorCode' + description: "If the V1 `CreateBucketMetadataTableConfiguration` request\ + \ succeeds, but S3 Metadata was unable to create the table, this structure\ + \ contains the error code. The possible error codes and error messages\ + \ are as follows:\n\n * `AccessDeniedCreatingResources` \\- You don't\ + \ have sufficient permissions to create the required resources. Make sure\ + \ that you have `s3tables:CreateNamespace`, `s3tables:CreateTable`, `s3tables:GetTable`\ + \ and `s3tables:PutTablePolicy` permissions, and then try again. To create\ + \ a new metadata table, you must delete the metadata configuration for\ + \ this bucket, and then create a new metadata configuration. \n\n * `AccessDeniedWritingToTable`\ + \ \\- Unable to write to the metadata table because of missing resource\ + \ permissions. To fix the resource policy, Amazon S3 needs to create a\ + \ new metadata table. To create a new metadata table, you must delete\ + \ the metadata configuration for this bucket, and then create a new metadata\ + \ configuration.\n\n * `DestinationTableNotFound` \\- The destination\ + \ table doesn't exist. To create a new metadata table, you must delete\ + \ the metadata configuration for this bucket, and then create a new metadata\ + \ configuration.\n\n * `ServerInternalError` \\- An internal error has\ + \ occurred. To create a new metadata table, you must delete the metadata\ + \ configuration for this bucket, and then create a new metadata configuration.\n\ + \n * `TableAlreadyExists` \\- The table that you specified already exists\ + \ in the table bucket's namespace. Specify a different table name. To\ + \ create a new metadata table, you must delete the metadata configuration\ + \ for this bucket, and then create a new metadata configuration.\n\n \ + \ * `TableBucketNotFound` \\- The table bucket that you specified doesn't\ + \ exist in this Amazon Web Services Region and account. Create or choose\ + \ a different table bucket. To create a new metadata table, you must delete\ + \ the metadata configuration for this bucket, and then create a new metadata\ + \ configuration.\n\nIf the V2 `CreateBucketMetadataConfiguration` request\ + \ succeeds, but S3 Metadata was unable to create the table, this structure\ + \ contains the error code. The possible error codes and error messages\ + \ are as follows:\n\n * `AccessDeniedCreatingResources` \\- You don't\ + \ have sufficient permissions to create the required resources. Make sure\ + \ that you have `s3tables:CreateTableBucket`, `s3tables:CreateNamespace`,\ + \ `s3tables:CreateTable`, `s3tables:GetTable`, `s3tables:PutTablePolicy`,\ + \ `kms:DescribeKey`, and `s3tables:PutTableEncryption` permissions. Additionally,\ + \ ensure that the KMS key used to encrypt the table still exists, is active\ + \ and has a resource policy granting access to the S3 service principals\ + \ '`maintenance.s3tables.amazonaws.com`' and '`metadata.s3.amazonaws.com`'.\ + \ To create a new metadata table, you must delete the metadata configuration\ + \ for this bucket, and then create a new metadata configuration. \n\n\ + \ * `AccessDeniedWritingToTable` \\- Unable to write to the metadata\ + \ table because of missing resource permissions. To fix the resource policy,\ + \ Amazon S3 needs to create a new metadata table. To create a new metadata\ + \ table, you must delete the metadata configuration for this bucket, and\ + \ then create a new metadata configuration.\n\n * `DestinationTableNotFound`\ + \ \\- The destination table doesn't exist. To create a new metadata table,\ + \ you must delete the metadata configuration for this bucket, and then\ + \ create a new metadata configuration.\n\n * `ServerInternalError` \\\ + - An internal error has occurred. To create a new metadata table, you\ + \ must delete the metadata configuration for this bucket, and then create\ + \ a new metadata configuration.\n\n * `JournalTableAlreadyExists` \\\ + - A journal table already exists in the Amazon Web Services managed table\ + \ bucket's namespace. Delete the journal table, and then try again. To\ + \ create a new metadata table, you must delete the metadata configuration\ + \ for this bucket, and then create a new metadata configuration.\n\n \ + \ * `InventoryTableAlreadyExists` \\- An inventory table already exists\ + \ in the Amazon Web Services managed table bucket's namespace. Delete\ + \ the inventory table, and then try again. To create a new metadata table,\ + \ you must delete the metadata configuration for this bucket, and then\ + \ create a new metadata configuration.\n\n * `JournalTableNotAvailable`\ + \ \\- The journal table that the inventory table relies on has a `FAILED`\ + \ status. An inventory table requires a journal table with an `ACTIVE`\ + \ status. To create a new journal or inventory table, you must delete\ + \ the metadata configuration for this bucket, along with any journal or\ + \ inventory tables, and then create a new metadata configuration.\n\n\ + \ * `NoSuchBucket` \\- The specified general purpose bucket does not\ + \ exist." + ErrorMessage: + $ref: '#/components/schemas/ErrorMessage' + description: "If the V1 `CreateBucketMetadataTableConfiguration` request\ + \ succeeds, but S3 Metadata was unable to create the table, this structure\ + \ contains the error message. The possible error codes and error messages\ + \ are as follows:\n\n * `AccessDeniedCreatingResources` \\- You don't\ + \ have sufficient permissions to create the required resources. Make sure\ + \ that you have `s3tables:CreateNamespace`, `s3tables:CreateTable`, `s3tables:GetTable`\ + \ and `s3tables:PutTablePolicy` permissions, and then try again. To create\ + \ a new metadata table, you must delete the metadata configuration for\ + \ this bucket, and then create a new metadata configuration. \n\n * `AccessDeniedWritingToTable`\ + \ \\- Unable to write to the metadata table because of missing resource\ + \ permissions. To fix the resource policy, Amazon S3 needs to create a\ + \ new metadata table. To create a new metadata table, you must delete\ + \ the metadata configuration for this bucket, and then create a new metadata\ + \ configuration.\n\n * `DestinationTableNotFound` \\- The destination\ + \ table doesn't exist. To create a new metadata table, you must delete\ + \ the metadata configuration for this bucket, and then create a new metadata\ + \ configuration.\n\n * `ServerInternalError` \\- An internal error has\ + \ occurred. To create a new metadata table, you must delete the metadata\ + \ configuration for this bucket, and then create a new metadata configuration.\n\ + \n * `TableAlreadyExists` \\- The table that you specified already exists\ + \ in the table bucket's namespace. Specify a different table name. To\ + \ create a new metadata table, you must delete the metadata configuration\ + \ for this bucket, and then create a new metadata configuration.\n\n \ + \ * `TableBucketNotFound` \\- The table bucket that you specified doesn't\ + \ exist in this Amazon Web Services Region and account. Create or choose\ + \ a different table bucket. To create a new metadata table, you must delete\ + \ the metadata configuration for this bucket, and then create a new metadata\ + \ configuration.\n\nIf the V2 `CreateBucketMetadataConfiguration` request\ + \ succeeds, but S3 Metadata was unable to create the table, this structure\ + \ contains the error code. The possible error codes and error messages\ + \ are as follows:\n\n * `AccessDeniedCreatingResources` \\- You don't\ + \ have sufficient permissions to create the required resources. Make sure\ + \ that you have `s3tables:CreateTableBucket`, `s3tables:CreateNamespace`,\ + \ `s3tables:CreateTable`, `s3tables:GetTable`, `s3tables:PutTablePolicy`,\ + \ `kms:DescribeKey`, and `s3tables:PutTableEncryption` permissions. Additionally,\ + \ ensure that the KMS key used to encrypt the table still exists, is active\ + \ and has a resource policy granting access to the S3 service principals\ + \ '`maintenance.s3tables.amazonaws.com`' and '`metadata.s3.amazonaws.com`'.\ + \ To create a new metadata table, you must delete the metadata configuration\ + \ for this bucket, and then create a new metadata configuration. \n\n\ + \ * `AccessDeniedWritingToTable` \\- Unable to write to the metadata\ + \ table because of missing resource permissions. To fix the resource policy,\ + \ Amazon S3 needs to create a new metadata table. To create a new metadata\ + \ table, you must delete the metadata configuration for this bucket, and\ + \ then create a new metadata configuration.\n\n * `DestinationTableNotFound`\ + \ \\- The destination table doesn't exist. To create a new metadata table,\ + \ you must delete the metadata configuration for this bucket, and then\ + \ create a new metadata configuration.\n\n * `ServerInternalError` \\\ + - An internal error has occurred. To create a new metadata table, you\ + \ must delete the metadata configuration for this bucket, and then create\ + \ a new metadata configuration.\n\n * `JournalTableAlreadyExists` \\\ + - A journal table already exists in the Amazon Web Services managed table\ + \ bucket's namespace. Delete the journal table, and then try again. To\ + \ create a new metadata table, you must delete the metadata configuration\ + \ for this bucket, and then create a new metadata configuration.\n\n \ + \ * `InventoryTableAlreadyExists` \\- An inventory table already exists\ + \ in the Amazon Web Services managed table bucket's namespace. Delete\ + \ the inventory table, and then try again. To create a new metadata table,\ + \ you must delete the metadata configuration for this bucket, and then\ + \ create a new metadata configuration.\n\n * `JournalTableNotAvailable`\ + \ \\- The journal table that the inventory table relies on has a `FAILED`\ + \ status. An inventory table requires a journal table with an `ACTIVE`\ + \ status. To create a new journal or inventory table, you must delete\ + \ the metadata configuration for this bucket, along with any journal or\ + \ inventory tables, and then create a new metadata configuration.\n\n\ + \ * `NoSuchBucket` \\- The specified general purpose bucket does not\ + \ exist." + description: 'If an S3 Metadata V1 `CreateBucketMetadataTableConfiguration` + or V2 `CreateBucketMetadataConfiguration` request succeeds, but S3 Metadata + was unable to create the table, this structure contains the error code and + error message. + + + If you created your S3 Metadata configuration before July 15, 2025, we recommend + that you delete and re-create your configuration by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html) + so that you can expire journal table records and create a live inventory table.' + ErrorDocument: + type: object + properties: + Key: + $ref: '#/components/schemas/ObjectKey' + description: 'The object key name to use when a 4XX class error occurs. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + required: + - Key + description: The error information. + ErrorMessage: + type: string + Errors: + type: array + items: + $ref: '#/components/schemas/Error' + Event: + type: string + enum: + - s3:ReducedRedundancyLostObject + - s3:ObjectCreated:* + - s3:ObjectCreated:Put + - s3:ObjectCreated:Post + - s3:ObjectCreated:Copy + - s3:ObjectCreated:CompleteMultipartUpload + - s3:ObjectRemoved:* + - s3:ObjectRemoved:Delete + - s3:ObjectRemoved:DeleteMarkerCreated + - s3:ObjectRestore:* + - s3:ObjectRestore:Post + - s3:ObjectRestore:Completed + - s3:Replication:* + - s3:Replication:OperationFailedReplication + - s3:Replication:OperationNotTracked + - s3:Replication:OperationMissedThreshold + - s3:Replication:OperationReplicatedAfterThreshold + - s3:ObjectRestore:Delete + - s3:LifecycleTransition + - s3:IntelligentTiering + - s3:ObjectAcl:Put + - s3:LifecycleExpiration:* + - s3:LifecycleExpiration:Delete + - s3:LifecycleExpiration:DeleteMarkerCreated + - s3:ObjectTagging:* + - s3:ObjectTagging:Put + - s3:ObjectTagging:Delete + description:

The bucket event for which to send notifications.

+ EventBridgeConfiguration: + type: object + properties: {} + description: A container for specifying the configuration for Amazon EventBridge. + EventList: + type: array + items: + $ref: '#/components/schemas/Event' + ExistingObjectReplication: + type: object + properties: + Status: + $ref: '#/components/schemas/ExistingObjectReplicationStatus' + description: Specifies whether Amazon S3 replicates existing source bucket + objects. + required: + - Status + description: 'Optional configuration to replicate existing source bucket objects. + + + This parameter is no longer supported. To replicate existing objects, see + [Replicating existing objects with S3 Batch Replication](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-batch-replication-batch.html) + in the _Amazon S3 User Guide_.' + ExistingObjectReplicationStatus: + type: string + enum: + - Enabled + - Disabled + Expiration: + type: string + ExpirationState: + type: string + enum: + - ENABLED + - DISABLED + ExpirationStatus: + type: string + enum: + - Enabled + - Disabled + ExpiredObjectDeleteMarker: + type: boolean + Expires: + type: string + ExposeHeader: + type: string + ExposeHeaders: + type: array + items: + $ref: '#/components/schemas/ExposeHeader' + Expression: + type: string + ExpressionType: + type: string + enum: + - SQL + FetchOwner: + type: boolean + FieldDelimiter: + type: string + FileHeaderInfo: + type: string + enum: + - USE + - IGNORE + - NONE + FilterRule: + type: object + properties: + Name: + $ref: '#/components/schemas/FilterRuleName' + description: The object key name prefix or suffix identifying one or more + objects to which the filtering rule applies. The maximum length is 1,024 + characters. Overlapping prefixes and suffixes are not supported. For more + information, see [Configuring Event Notifications](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html) + in the _Amazon S3 User Guide_. + Value: + $ref: '#/components/schemas/FilterRuleValue' + description: The value that the filter searches for in object key names. + description: Specifies the Amazon S3 object key name to filter on. An object + key name is the name assigned to an object in your Amazon S3 bucket. You specify + whether to filter on the suffix or prefix of the object key name. A prefix + is a specific string of characters at the beginning of an object key name, + which you can use to organize objects. For example, you can start the key + names of related objects with a prefix, such as `2023-` or `engineering/`. + Then, you can use `FilterRule` to find objects in a bucket with key names + that have the same prefix. A suffix is similar to a prefix, but it is at the + end of the object key name instead of at the beginning. + FilterRuleList: + type: array + items: + $ref: '#/components/schemas/FilterRule' + description:

A list of containers for the key-value pair that defines the + criteria for the filter rule.

+ FilterRuleName: + type: string + enum: + - prefix + - suffix + FilterRuleValue: + type: string + GetBucketAbacOutput: + type: object + properties: + AbacStatus: + $ref: '#/components/schemas/AbacStatus' + description: The ABAC status of the general purpose bucket. + GetBucketAbacRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the general purpose bucket. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The Amazon Web Services account ID of the general purpose bucket's + owner. + required: + - Bucket + GetBucketAccelerateConfigurationOutput: + type: object + properties: + Status: + $ref: '#/components/schemas/BucketAccelerateStatus' + description: The accelerate configuration of the bucket. + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + GetBucketAccelerateConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which the accelerate configuration + is retrieved. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + required: + - Bucket + GetBucketAclOutput: + type: object + properties: + Owner: + $ref: '#/components/schemas/Owner' + description: Container for the bucket owner's ID. + Grants: + $ref: '#/components/schemas/Grants' + description: A list of grants. + GetBucketAclRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'Specifies the S3 bucket whose ACL is being requested. + + + When you use this API operation with an access point, provide the alias + of the access point in place of the bucket name. + + + When you use this API operation with an Object Lambda access point, provide + the alias of the Object Lambda access point in place of the bucket name. + If the Object Lambda access point alias in a request is not valid, the + error code `InvalidAccessPointAliasError` is returned. For more information + about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList).' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketAnalyticsConfigurationOutput: + type: object + properties: + AnalyticsConfiguration: + $ref: '#/components/schemas/AnalyticsConfiguration' + description: The configuration and any analyses for the analytics filter. + GetBucketAnalyticsConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket from which an analytics configuration + is retrieved. + Id: + $ref: '#/components/schemas/AnalyticsId' + description: The ID that identifies the analytics configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + GetBucketCorsOutput: + type: object + properties: + CORSRules: + $ref: '#/components/schemas/CORSRules' + description: A set of origins and methods (cross-origin access that you + want to allow). You can add up to 100 rules to the configuration. + GetBucketCorsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name for which to get the cors configuration. + + + When you use this API operation with an access point, provide the alias + of the access point in place of the bucket name. + + + When you use this API operation with an Object Lambda access point, provide + the alias of the Object Lambda access point in place of the bucket name. + If the Object Lambda access point alias in a request is not valid, the + error code `InvalidAccessPointAliasError` is returned. For more information + about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList).' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketEncryptionOutput: + type: object + properties: + ServerSideEncryptionConfiguration: + $ref: '#/components/schemas/ServerSideEncryptionConfiguration' + GetBucketEncryptionRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket from which the server-side encryption + configuration is retrieved. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + GetBucketIntelligentTieringConfigurationOutput: + type: object + properties: + IntelligentTieringConfiguration: + $ref: '#/components/schemas/IntelligentTieringConfiguration' + description: Container for S3 Intelligent-Tiering configuration. + GetBucketIntelligentTieringConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose configuration you want + to modify or retrieve. + Id: + $ref: '#/components/schemas/IntelligentTieringId' + description: The ID used to identify the S3 Intelligent-Tiering configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + GetBucketInventoryConfigurationOutput: + type: object + properties: + InventoryConfiguration: + $ref: '#/components/schemas/InventoryConfiguration' + description: Specifies the inventory configuration. + GetBucketInventoryConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the inventory configuration + to retrieve. + Id: + $ref: '#/components/schemas/InventoryId' + description: The ID used to identify the inventory configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + GetBucketLifecycleConfigurationOutput: + type: object + properties: + Rules: + $ref: '#/components/schemas/LifecycleRules' + description: Container for a lifecycle rule. + TransitionDefaultMinimumObjectSize: + $ref: '#/components/schemas/TransitionDefaultMinimumObjectSize' + description: "Indicates which default minimum object size behavior is applied\ + \ to the lifecycle configuration.\n\nThis parameter applies to general\ + \ purpose buckets only. It isn't supported for directory bucket lifecycle\ + \ configurations.\n\n * `all_storage_classes_128K` \\- Objects smaller\ + \ than 128 KB will not transition to any storage class by default.\n\n\ + \ * `varies_by_storage_class` \\- Objects smaller than 128 KB will transition\ + \ to Glacier Flexible Retrieval or Glacier Deep Archive storage classes.\ + \ By default, all other storage classes will prevent transitions smaller\ + \ than 128 KB. \n\nTo customize the minimum object size for any transition\ + \ you can add a filter that specifies a custom `ObjectSizeGreaterThan`\ + \ or `ObjectSizeLessThan` in the body of your transition rule. Custom\ + \ filters always take precedence over the default transition behavior." + GetBucketLifecycleConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which to get the lifecycle information. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + required: + - Bucket + GetBucketLocationOutput: + type: object + properties: + LocationConstraint: + $ref: '#/components/schemas/BucketLocationConstraint' + description: 'Specifies the Region where the bucket resides. For a list + of all the Amazon S3 supported location constraints by Region, see [Regions + and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region). + + + Buckets in Region `us-east-1` have a LocationConstraint of `null`. Buckets + with a LocationConstraint of `EU` reside in `eu-west-1`.' + GetBucketLocationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket for which to get the location. + + + When you use this API operation with an access point, provide the alias + of the access point in place of the bucket name. + + + When you use this API operation with an Object Lambda access point, provide + the alias of the Object Lambda access point in place of the bucket name. + If the Object Lambda access point alias in a request is not valid, the + error code `InvalidAccessPointAliasError` is returned. For more information + about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList).' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketLoggingOutput: + type: object + properties: + LoggingEnabled: + $ref: '#/components/schemas/LoggingEnabled' + GetBucketLoggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name for which to get the logging information. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketMetadataConfigurationOutput: + type: object + properties: + GetBucketMetadataConfigurationResult: + $ref: '#/components/schemas/GetBucketMetadataConfigurationResult' + description: The metadata configuration for the general purpose bucket. + GetBucketMetadataConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that corresponds to the metadata + configuration that you want to retrieve. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected owner of the general purpose bucket that you want + to retrieve the metadata table configuration for. + required: + - Bucket + GetBucketMetadataConfigurationResult: + type: object + properties: + MetadataConfigurationResult: + $ref: '#/components/schemas/MetadataConfigurationResult' + description: The metadata configuration for a general purpose bucket. + required: + - MetadataConfigurationResult + description: The S3 Metadata configuration for a general purpose bucket. + GetBucketMetadataTableConfigurationOutput: + type: object + properties: + GetBucketMetadataTableConfigurationResult: + $ref: '#/components/schemas/GetBucketMetadataTableConfigurationResult' + description: The metadata table configuration for the general purpose bucket. + GetBucketMetadataTableConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that corresponds to the metadata + table configuration that you want to retrieve. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected owner of the general purpose bucket that you want + to retrieve the metadata table configuration for. + required: + - Bucket + GetBucketMetadataTableConfigurationResult: + type: object + properties: + MetadataTableConfigurationResult: + $ref: '#/components/schemas/MetadataTableConfigurationResult' + description: The V1 S3 Metadata configuration for a general purpose bucket. + Status: + $ref: '#/components/schemas/MetadataTableStatus' + description: "The status of the metadata table. The status values are:\n\ + \n * `CREATING` \\- The metadata table is in the process of being created\ + \ in the specified table bucket.\n\n * `ACTIVE` \\- The metadata table\ + \ has been created successfully, and records are being delivered to the\ + \ table. \n\n * `FAILED` \\- Amazon S3 is unable to create the metadata\ + \ table, or Amazon S3 is unable to deliver records. See `ErrorDetails`\ + \ for details." + Error: + $ref: '#/components/schemas/ErrorDetails' + description: If the `CreateBucketMetadataTableConfiguration` request succeeds, + but S3 Metadata was unable to create the table, this structure contains + the error code and error message. + required: + - MetadataTableConfigurationResult + - Status + description: 'The V1 S3 Metadata configuration for a general purpose bucket. + + + If you created your S3 Metadata configuration before July 15, 2025, we recommend + that you delete and re-create your configuration by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html) + so that you can expire journal table records and create a live inventory table.' + GetBucketMetricsConfigurationOutput: + type: object + properties: + MetricsConfiguration: + $ref: '#/components/schemas/MetricsConfiguration' + description: Specifies the metrics configuration. + GetBucketMetricsConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the metrics configuration + to retrieve. + Id: + $ref: '#/components/schemas/MetricsId' + description: The ID used to identify the metrics configuration. The ID has + a 64 character limit and can only contain letters, numbers, periods, dashes, + and underscores. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + GetBucketNotificationConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket for which to get the notification configuration. + + + When you use this API operation with an access point, provide the alias + of the access point in place of the bucket name. + + + When you use this API operation with an Object Lambda access point, provide + the alias of the Object Lambda access point in place of the bucket name. + If the Object Lambda access point alias in a request is not valid, the + error code `InvalidAccessPointAliasError` is returned. For more information + about `InvalidAccessPointAliasError`, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList).' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketOwnershipControlsOutput: + type: object + properties: + OwnershipControls: + $ref: '#/components/schemas/OwnershipControls' + description: The `OwnershipControls` (BucketOwnerEnforced, BucketOwnerPreferred, + or ObjectWriter) currently in effect for this Amazon S3 bucket. + GetBucketOwnershipControlsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose `OwnershipControls` + you want to retrieve. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketPolicyOutput: + type: object + properties: + Policy: + $ref: '#/components/schemas/Policy' + description: The bucket policy as a JSON document. + GetBucketPolicyRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name to get the bucket policy for. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_ + + + **Access points** \- When you use this API operation with an access point, + provide the alias of the access point in place of the bucket name. + + + **Object Lambda access points** \- When you use this API operation with + an Object Lambda access point, provide the alias of the Object Lambda + access point in place of the bucket name. If the Object Lambda access + point alias in a request is not valid, the error code `InvalidAccessPointAliasError` + is returned. For more information about `InvalidAccessPointAliasError`, + see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + + Object Lambda access points are not supported by directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + GetBucketPolicyStatusOutput: + type: object + properties: + PolicyStatus: + $ref: '#/components/schemas/PolicyStatus' + description: The policy status for the specified bucket. + GetBucketPolicyStatusRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose policy status you want + to retrieve. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketReplicationOutput: + type: object + properties: + ReplicationConfiguration: + $ref: '#/components/schemas/ReplicationConfiguration' + GetBucketReplicationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name for which to get the replication information. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketRequestPaymentOutput: + type: object + properties: + Payer: + $ref: '#/components/schemas/Payer' + description: Specifies who pays for the download and request fees. + GetBucketRequestPaymentRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which to get the payment request + configuration + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketTaggingOutput: + type: object + properties: + TagSet: + $ref: '#/components/schemas/TagSet' + description: Contains the tag set. + required: + - TagSet + GetBucketTaggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which to get the tagging information. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketVersioningOutput: + type: object + properties: + Status: + $ref: '#/components/schemas/BucketVersioningStatus' + description: The versioning state of the bucket. + MFADelete: + $ref: '#/components/schemas/MFADeleteStatus' + description: Specifies whether MFA delete is enabled in the bucket versioning + configuration. This element is only returned if the bucket has been configured + with MFA delete. If the bucket has never been so configured, this element + is not returned. + GetBucketVersioningRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which to get the versioning information. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetBucketWebsiteOutput: + type: object + properties: + RedirectAllRequestsTo: + $ref: '#/components/schemas/RedirectAllRequestsTo' + description: Specifies the redirect behavior of all requests to a website + endpoint of an Amazon S3 bucket. + IndexDocument: + $ref: '#/components/schemas/IndexDocument' + description: The name of the index document for the website (for example + `index.html`). + ErrorDocument: + $ref: '#/components/schemas/ErrorDocument' + description: The object key name of the website error document to use for + 4XX class errors. + RoutingRules: + $ref: '#/components/schemas/RoutingRules' + description: Rules that define when a redirect is applied and the redirect + behavior. + GetBucketWebsiteRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name for which to get the website configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetObjectAclOutput: + type: object + properties: + Owner: + $ref: '#/components/schemas/Owner' + description: Container for the bucket owner's ID. + Grants: + $ref: '#/components/schemas/Grants' + description: A list of grants. + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + GetObjectAclRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name that contains the object for which to get + the ACL information. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key of the object for which to get the ACL information. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID used to reference a specific version of the object. + + + This functionality is not supported for directory buckets.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + GetObjectAttributesOutput: + type: object + properties: + DeleteMarker: + $ref: '#/components/schemas/DeleteMarker' + description: 'Specifies whether the object retrieved was (`true`) or was + not (`false`) a delete marker. If `false`, this response header does not + appear in the response. To learn more about delete markers, see [Working + with delete markers](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeleteMarker.html). + + + This functionality is not supported for directory buckets.' + LastModified: + $ref: '#/components/schemas/LastModified' + description: Date and time when the object was last modified. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'The version ID of the object. + + + This functionality is not supported for directory buckets.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ETag: + $ref: '#/components/schemas/ETag' + description: An ETag is an opaque identifier assigned by a web server to + a specific version of a resource found at a URL. + Checksum: + $ref: '#/components/schemas/Checksum' + description: The checksum or digest of the object. + ObjectParts: + $ref: '#/components/schemas/GetObjectAttributesParts' + description: A collection of parts associated with a multipart upload. + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'Provides the storage class information of the object. Amazon + S3 returns this header for all objects except for S3 Standard storage + class objects. + + + For more information, see [Storage Classes](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html). + + + **Directory buckets** \- Directory buckets only support `EXPRESS_ONEZONE` + (the S3 Express One Zone storage class) in Availability Zones and `ONEZONE_IA` + (the S3 One Zone-Infrequent Access storage class) in Dedicated Local Zones.' + ObjectSize: + $ref: '#/components/schemas/ObjectSize' + description: The size of the object in bytes. + GetObjectAttributesParts: + type: object + properties: + TotalPartsCount: + $ref: '#/components/schemas/PartsCount' + description: The total number of parts. + PartNumberMarker: + $ref: '#/components/schemas/PartNumberMarker' + description: The marker for the current part. + NextPartNumberMarker: + $ref: '#/components/schemas/NextPartNumberMarker' + description: When a list is truncated, this element specifies the last part + in the list, as well as the value to use for the `PartNumberMarker` request + parameter in a subsequent request. + MaxParts: + $ref: '#/components/schemas/MaxParts' + description: The maximum number of parts allowed in the response. + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Indicates whether the returned list of parts is truncated. + A value of `true` indicates that the list was truncated. A list can be + truncated if the number of parts exceeds the limit returned in the `MaxParts` + element. + Parts: + $ref: '#/components/schemas/PartsList' + description: "A container for elements related to a particular part. A response\ + \ can contain zero or more `Parts` elements.\n\n * **General purpose\ + \ buckets** \\- For `GetObjectAttributes`, if an additional checksum (including\ + \ `x-amz-checksum-crc32`, `x-amz-checksum-crc32c`, `x-amz-checksum-sha1`,\ + \ or `x-amz-checksum-sha256`) isn't applied to the object specified in\ + \ the request, the response doesn't return the `Part` element.\n\n *\ + \ **Directory buckets** \\- For `GetObjectAttributes`, regardless of whether\ + \ an additional checksum is applied to the object specified in the request,\ + \ the response returns the `Part` element." + description: A collection of parts associated with a multipart upload. + GetObjectAttributesRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket that contains the object. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'The version ID used to reference a specific version of the + object. + + + S3 Versioning isn''t enabled and supported for directory buckets. For + this API operation, only the `null` value of the version ID is supported + by directory buckets. You can only specify `null` to the `versionId` query + parameter in the request.' + MaxParts: + $ref: '#/components/schemas/MaxParts' + description: Sets the maximum number of parts to return. For more information, + see [Uploading and copying objects using multipart upload in Amazon S3 + ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/mpuoverview.html) + in the _Amazon Simple Storage Service user guide_. + PartNumberMarker: + $ref: '#/components/schemas/PartNumberMarker' + description: Specifies the part after which listing should begin. Only parts + with higher part numbers will be listed. For more information, see [Uploading + and copying objects using multipart upload in Amazon S3 ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/mpuoverview.html) + in the _Amazon Simple Storage Service user guide_. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, AES256). + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded; Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm` + header. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported for directory buckets.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + ObjectAttributes: + $ref: '#/components/schemas/ObjectAttributesList' + description: Specifies the fields at the root level that you want returned + in the response. Fields that you do not specify are not returned. + required: + - Bucket + - Key + - ObjectAttributes + GetObjectLegalHoldOutput: + type: object + properties: + LegalHold: + $ref: '#/components/schemas/ObjectLockLegalHold' + description: The current legal hold status for the specified object. + GetObjectLegalHoldRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object whose legal hold status + you want to retrieve. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key name for the object whose legal hold status you want + to retrieve. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The version ID of the object whose legal hold status you want + to retrieve. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + GetObjectLockConfigurationOutput: + type: object + properties: + ObjectLockConfiguration: + $ref: '#/components/schemas/ObjectLockConfiguration' + description: The specified bucket's Object Lock configuration. + GetObjectLockConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket whose Object Lock configuration you want to retrieve. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GetObjectOutput: + type: object + properties: + Body: + $ref: '#/components/schemas/StreamingBlob' + description: Object data. + DeleteMarker: + $ref: '#/components/schemas/DeleteMarker' + description: "Indicates whether the object retrieved was (true) or was not\ + \ (false) a Delete Marker. If false, this response header does not appear\ + \ in the response.\n\n * If the current version of the object is a delete\ + \ marker, Amazon S3 behaves as if the object was deleted and includes\ + \ `x-amz-delete-marker: true` in the response.\n\n * If the specified\ + \ version in the request is a delete marker, the response returns a `405\ + \ Method Not Allowed` error and the `Last-Modified: timestamp` response\ + \ header." + AcceptRanges: + $ref: '#/components/schemas/AcceptRanges' + description: Indicates that a range of bytes was specified in the request. + Expiration: + $ref: '#/components/schemas/Expiration' + description: 'If the object expiration is configured (see [ `PutBucketLifecycleConfiguration` + ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)), + the response includes this header. It includes the `expiry-date` and `rule-id` + key-value pairs providing object expiration information. The value of + the `rule-id` is URL-encoded. + + + Object expiration information is not returned in directory buckets and + this header returns the value "`NotImplemented`" in all responses for + directory buckets.' + Restore: + $ref: '#/components/schemas/Restore' + description: 'Provides information about object restoration action and expiration + time of the restored object copy. + + + This functionality is not supported for directory buckets. Directory buckets + only support `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) + in Availability Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access + storage class) in Dedicated Local Zones.' + LastModified: + $ref: '#/components/schemas/LastModified' + description: 'Date and time when the object was last modified. + + + **General purpose buckets** \- When you specify a `versionId` of the object + in your request, if the specified version in the request is a delete marker, + the response returns a `405 Method Not Allowed` error and the `Last-Modified: + timestamp` response header.' + ContentLength: + $ref: '#/components/schemas/ContentLength' + description: Size of the body in bytes. + ETag: + $ref: '#/components/schemas/ETag' + description: An entity tag (ETag) is an opaque identifier assigned by a + web server to a specific version of a resource found at a URL. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32` checksum of the object. + This checksum is only present if the object was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the object. + For more information, see [Checking object integrity in the Amazon S3 + User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type, which determines how part-level checksums + are combined to create an object-level checksum for multipart objects. + You can use this header response to verify that the checksum type that + is received is the same checksum type that was specified in the `CreateMultipartUpload` + request. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + MissingMeta: + $ref: '#/components/schemas/MissingMeta' + description: 'This is set to the number of metadata entries not returned + in the headers that are prefixed with `x-amz-meta-`. This can happen if + you create metadata using an API like SOAP that supports more flexible + metadata than the REST API. For example, using SOAP, you can create metadata + whose values are not legal HTTP headers. + + + This functionality is not supported for directory buckets.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID of the object. + + + This functionality is not supported for directory buckets.' + CacheControl: + $ref: '#/components/schemas/CacheControl' + description: Specifies caching behavior along the request/reply chain. + ContentDisposition: + $ref: '#/components/schemas/ContentDisposition' + description: Specifies presentational information for the object. + ContentEncoding: + $ref: '#/components/schemas/ContentEncoding' + description: Indicates what content encodings have been applied to the object + and thus what decoding mechanisms must be applied to obtain the media-type + referenced by the Content-Type header field. + ContentLanguage: + $ref: '#/components/schemas/ContentLanguage' + description: The language the content is in. + ContentRange: + $ref: '#/components/schemas/ContentRange' + description: The portion of the object returned in the response. + ContentType: + $ref: '#/components/schemas/ContentType' + description: A standard MIME type describing the format of the object data. + Expires: + $ref: '#/components/schemas/Expires' + description: The date and time at which the object is no longer cacheable. + WebsiteRedirectLocation: + $ref: '#/components/schemas/WebsiteRedirectLocation' + description: 'If the bucket is configured as a website, redirects requests + for this object to another object in the same bucket or to an external + URL. Amazon S3 stores the value of this header in the object metadata. + + + This functionality is not supported for directory buckets.' + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + Metadata: + $ref: '#/components/schemas/Metadata' + description: A map of metadata to store with the object in S3. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the object uses an S3 Bucket Key for server-side + encryption with Key Management Service (KMS) keys (SSE-KMS). + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'Provides storage class information of the object. Amazon S3 + returns this header for all objects except for S3 Standard storage class + objects. + + + **Directory buckets** \- Directory buckets only support `EXPRESS_ONEZONE` + (the S3 Express One Zone storage class) in Availability Zones and `ONEZONE_IA` + (the S3 One Zone-Infrequent Access storage class) in Dedicated Local Zones.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ReplicationStatus: + $ref: '#/components/schemas/ReplicationStatus' + description: 'Amazon S3 can return this if your request involves a bucket + that is either a source or destination in a replication rule. + + + This functionality is not supported for directory buckets.' + PartsCount: + $ref: '#/components/schemas/PartsCount' + description: The count of parts this object has. This value is only returned + if you specify `partNumber` in your request and the object was uploaded + as a multipart upload. + TagCount: + $ref: '#/components/schemas/TagCount' + description: 'The number of tags, if any, on the object, when you have the + relevant permission to read object tags. + + + You can use [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html) + to retrieve the tag set associated with an object. + + + This functionality is not supported for directory buckets.' + ObjectLockMode: + $ref: '#/components/schemas/ObjectLockMode' + description: 'The Object Lock mode that''s currently in place for this object. + + + This functionality is not supported for directory buckets.' + ObjectLockRetainUntilDate: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + description: 'The date and time when this object''s Object Lock will expire. + + + This functionality is not supported for directory buckets.' + ObjectLockLegalHoldStatus: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: 'Indicates whether this object has an active legal hold. This + field is only returned if you have permission to view an object''s legal + hold status. + + + This functionality is not supported for directory buckets.' + GetObjectRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **Object Lambda access points** \- When you use this action with an Object + Lambda access point, you must direct requests to the Object Lambda access + point hostname. The Object Lambda access point hostname takes the form + _AccessPointName_ -_AccountId_.s3-object-lambda._Region_.amazonaws.com. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + IfMatch: + $ref: '#/components/schemas/IfMatch' + description: 'Return the object only if its entity tag (ETag) is the same + as the one specified in this header; otherwise, return a `412 Precondition + Failed` error. + + + If both of the `If-Match` and `If-Unmodified-Since` headers are present + in the request as follows: `If-Match` condition evaluates to `true`, and; + `If-Unmodified-Since` condition evaluates to `false`; then, S3 returns + `200 OK` and the data requested. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + IfModifiedSince: + $ref: '#/components/schemas/IfModifiedSince' + description: 'Return the object only if it has been modified since the specified + time; otherwise, return a `304 Not Modified` error. + + + If both of the `If-None-Match` and `If-Modified-Since` headers are present + in the request as follows:` If-None-Match` condition evaluates to `false`, + and; `If-Modified-Since` condition evaluates to `true`; then, S3 returns + `304 Not Modified` status code. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + IfNoneMatch: + $ref: '#/components/schemas/IfNoneMatch' + description: 'Return the object only if its entity tag (ETag) is different + from the one specified in this header; otherwise, return a `304 Not Modified` + error. + + + If both of the `If-None-Match` and `If-Modified-Since` headers are present + in the request as follows:` If-None-Match` condition evaluates to `false`, + and; `If-Modified-Since` condition evaluates to `true`; then, S3 returns + `304 Not Modified` HTTP status code. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + IfUnmodifiedSince: + $ref: '#/components/schemas/IfUnmodifiedSince' + description: 'Return the object only if it has not been modified since the + specified time; otherwise, return a `412 Precondition Failed` error. + + + If both of the `If-Match` and `If-Unmodified-Since` headers are present + in the request as follows: `If-Match` condition evaluates to `true`, and; + `If-Unmodified-Since` condition evaluates to `false`; then, S3 returns + `200 OK` and the data requested. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232).' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Key of the object to get. + Range: + $ref: '#/components/schemas/Range' + description: 'Downloads the specified byte range of an object. For more + information about the HTTP Range header, see . + + + Amazon S3 doesn''t support retrieving multiple ranges of data per `GET` + request.' + ResponseCacheControl: + $ref: '#/components/schemas/ResponseCacheControl' + description: Sets the `Cache-Control` header of the response. + ResponseContentDisposition: + $ref: '#/components/schemas/ResponseContentDisposition' + description: Sets the `Content-Disposition` header of the response. + ResponseContentEncoding: + $ref: '#/components/schemas/ResponseContentEncoding' + description: Sets the `Content-Encoding` header of the response. + ResponseContentLanguage: + $ref: '#/components/schemas/ResponseContentLanguage' + description: Sets the `Content-Language` header of the response. + ResponseContentType: + $ref: '#/components/schemas/ResponseContentType' + description: Sets the `Content-Type` header of the response. + ResponseExpires: + $ref: '#/components/schemas/ResponseExpires' + description: Sets the `Expires` header of the response. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: "Version ID used to reference a specific version of the object.\n\ + \nBy default, the `GetObject` operation returns the current version of\ + \ an object. To return a different version, use the `versionId` subresource.\n\ + \n * If you include a `versionId` in your request header, you must have\ + \ the `s3:GetObjectVersion` permission to access a specific version of\ + \ an object. The `s3:GetObject` permission is not required in this scenario.\n\ + \n * If you request the current version of an object without a specific\ + \ `versionId` in the request header, only the `s3:GetObject` permission\ + \ is required. The `s3:GetObjectVersion` permission is not required in\ + \ this scenario.\n\n * **Directory buckets** \\- S3 Versioning isn't\ + \ enabled and supported for directory buckets. For this API operation,\ + \ only the `null` value of the version ID is supported by directory buckets.\ + \ You can only specify `null` to the `versionId` query parameter in the\ + \ request.\n\nFor more information about versioning, see [PutBucketVersioning](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketVersioning.html)." + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: "Specifies the algorithm to use when decrypting the object\ + \ (for example, `AES256`).\n\nIf you encrypt an object by using server-side\ + \ encryption with customer-provided encryption keys (SSE-C) when you store\ + \ the object in Amazon S3, then when you GET the object, you must use\ + \ the following headers:\n\n * `x-amz-server-side-encryption-customer-algorithm`\n\ + \n * `x-amz-server-side-encryption-customer-key`\n\n * `x-amz-server-side-encryption-customer-key-MD5`\n\ + \nFor more information about SSE-C, see [Server-Side Encryption (Using\ + \ Customer-Provided Encryption Keys)](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\nThis functionality is not supported\ + \ for directory buckets." + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: "Specifies the customer-provided encryption key that you originally\ + \ provided for Amazon S3 to encrypt the data before storing it. This value\ + \ is used to decrypt the object when recovering it and must match the\ + \ one used when storing the data. The key must be appropriate for use\ + \ with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm`\ + \ header.\n\nIf you encrypt an object by using server-side encryption\ + \ with customer-provided encryption keys (SSE-C) when you store the object\ + \ in Amazon S3, then when you GET the object, you must use the following\ + \ headers:\n\n * `x-amz-server-side-encryption-customer-algorithm`\n\n\ + \ * `x-amz-server-side-encryption-customer-key`\n\n * `x-amz-server-side-encryption-customer-key-MD5`\n\ + \nFor more information about SSE-C, see [Server-Side Encryption (Using\ + \ Customer-Provided Encryption Keys)](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\nThis functionality is not supported\ + \ for directory buckets." + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: "Specifies the 128-bit MD5 digest of the customer-provided\ + \ encryption key according to RFC 1321. Amazon S3 uses this header for\ + \ a message integrity check to ensure that the encryption key was transmitted\ + \ without error.\n\nIf you encrypt an object by using server-side encryption\ + \ with customer-provided encryption keys (SSE-C) when you store the object\ + \ in Amazon S3, then when you GET the object, you must use the following\ + \ headers:\n\n * `x-amz-server-side-encryption-customer-algorithm`\n\n\ + \ * `x-amz-server-side-encryption-customer-key`\n\n * `x-amz-server-side-encryption-customer-key-MD5`\n\ + \nFor more information about SSE-C, see [Server-Side Encryption (Using\ + \ Customer-Provided Encryption Keys)](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html)\ + \ in the _Amazon S3 User Guide_.\n\nThis functionality is not supported\ + \ for directory buckets." + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: Part number of the object being read. This is a positive integer + between 1 and 10,000. Effectively performs a 'ranged' GET request for + the part specified. Useful for downloading just a part of an object. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + ChecksumMode: + $ref: '#/components/schemas/ChecksumMode' + description: To retrieve the checksum, this mode must be enabled. + required: + - Bucket + - Key + GetObjectResponseStatusCode: + type: integer + GetObjectRetentionOutput: + type: object + properties: + Retention: + $ref: '#/components/schemas/ObjectLockRetention' + description: The container element for an object's retention settings. + GetObjectRetentionRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object whose retention settings + you want to retrieve. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key name for the object whose retention settings you want + to retrieve. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The version ID for the object whose retention settings you + want to retrieve. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + GetObjectTaggingOutput: + type: object + properties: + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The versionId of the object for which you got the tagging information. + TagSet: + $ref: '#/components/schemas/TagSet' + description: Contains the tag set. + required: + - TagSet + GetObjectTaggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object for which to get the + tagging information. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which to get the tagging information. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The versionId of the object for which to get the tagging information. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + required: + - Bucket + - Key + GetObjectTorrentOutput: + type: object + properties: + Body: + $ref: '#/components/schemas/StreamingBlob' + description: A Bencoded dictionary as defined by the BitTorrent specification + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + GetObjectTorrentRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the object for which to get + the torrent files. + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key for which to get the information. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + GetPublicAccessBlockOutput: + type: object + properties: + PublicAccessBlockConfiguration: + $ref: '#/components/schemas/PublicAccessBlockConfiguration' + description: The `PublicAccessBlock` configuration currently in effect for + this Amazon S3 bucket. + GetPublicAccessBlockRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose `PublicAccessBlock` + configuration you want to retrieve. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + GlacierJobParameters: + type: object + properties: + Tier: + $ref: '#/components/schemas/Tier' + description: Retrieval tier at which the restore will be processed. + required: + - Tier + description: Container for S3 Glacier job parameters. + Grant: + type: object + properties: + Grantee: + $ref: '#/components/schemas/Grantee' + description: The person being granted permissions. + Permission: + $ref: '#/components/schemas/Permission' + description: Specifies the permission given to the grantee. + description: Container for grant information. + GrantFullControl: + type: string + GrantRead: + type: string + GrantReadACP: + type: string + GrantWrite: + type: string + GrantWriteACP: + type: string + Grantee: + type: object + properties: + DisplayName: + $ref: '#/components/schemas/DisplayName' + description: '' + EmailAddress: + $ref: '#/components/schemas/EmailAddress' + description: '' + ID: + $ref: '#/components/schemas/ID' + description: The canonical user ID of the grantee. + URI: + $ref: '#/components/schemas/URI' + description: URI of the grantee group. + Type: + $ref: '#/components/schemas/Type' + description: Type of grantee + required: + - Type + description: Container for the person being granted permissions. + Grants: + type: array + items: + $ref: '#/components/schemas/Grant' + HeadBucketOutput: + type: object + properties: + BucketArn: + $ref: '#/components/schemas/S3RegionalOrS3ExpressBucketArnString' + description: 'The Amazon Resource Name (ARN) of the S3 bucket. ARNs uniquely + identify Amazon Web Services resources across all of Amazon Web Services. + + + This parameter is only supported for S3 directory buckets. For more information, + see [Using tags with directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-tagging.html).' + BucketLocationType: + $ref: '#/components/schemas/LocationType' + description: 'The type of location where the bucket is created. + + + This functionality is only supported by directory buckets.' + BucketLocationName: + $ref: '#/components/schemas/BucketLocationName' + description: 'The name of the location where the bucket will be created. + + + For directory buckets, the Zone ID of the Availability Zone or the Local + Zone where the bucket is created. An example Zone ID value for an Availability + Zone is `usw2-az1`. + + + This functionality is only supported by directory buckets.' + BucketRegion: + $ref: '#/components/schemas/Region' + description: The Region that the bucket is located. + AccessPointAlias: + $ref: '#/components/schemas/AccessPointAlias' + description: 'Indicates whether the bucket name used in the request is an + access point alias. + + + For directory buckets, the value of this field is `false`.' + HeadBucketRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **Object Lambda access points** \- When you use this API operation with + an Object Lambda access point, provide the alias of the Object Lambda + access point in place of the bucket name. If the Object Lambda access + point alias in a request is not valid, the error code `InvalidAccessPointAliasError` + is returned. For more information about `InvalidAccessPointAliasError`, + see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + HeadObjectOutput: + type: object + properties: + DeleteMarker: + $ref: '#/components/schemas/DeleteMarker' + description: 'Specifies whether the object retrieved was (true) or was not + (false) a Delete Marker. If false, this response header does not appear + in the response. + + + This functionality is not supported for directory buckets.' + AcceptRanges: + $ref: '#/components/schemas/AcceptRanges' + description: Indicates that a range of bytes was specified. + Expiration: + $ref: '#/components/schemas/Expiration' + description: 'If the object expiration is configured (see [ `PutBucketLifecycleConfiguration` + ](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)), + the response includes this header. It includes the `expiry-date` and `rule-id` + key-value pairs providing object expiration information. The value of + the `rule-id` is URL-encoded. + + + Object expiration information is not returned in directory buckets and + this header returns the value "`NotImplemented`" in all responses for + directory buckets.' + Restore: + $ref: '#/components/schemas/Restore' + description: 'If the object is an archived object (an object whose storage + class is GLACIER), the response includes this header if either the archive + restoration is in progress (see [RestoreObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_RestoreObject.html) + or an archive copy is already restored. + + + If an archive copy is already restored, the header value indicates when + Amazon S3 is scheduled to delete the object copy. For example: + + + `x-amz-restore: ongoing-request="false", expiry-date="Fri, 21 Dec 2012 + 00:00:00 GMT"` + + + If the object restoration is in progress, the header returns the value + `ongoing-request="true"`. + + + For more information about archiving objects, see [Transitioning Objects: + General Considerations](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lifecycle-mgmt.html#lifecycle-transition-general-considerations). + + + This functionality is not supported for directory buckets. Directory buckets + only support `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) + in Availability Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access + storage class) in Dedicated Local Zones.' + ArchiveStatus: + $ref: '#/components/schemas/ArchiveStatus' + description: 'The archive state of the head object. + + + This functionality is not supported for directory buckets.' + LastModified: + $ref: '#/components/schemas/LastModified' + description: Date and time when the object was last modified. + ContentLength: + $ref: '#/components/schemas/ContentLength' + description: Size of the body in bytes. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32 checksum` of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the object. + For more information, see [Checking object integrity in the Amazon S3 + User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + When you use the API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type, which determines how part-level checksums + are combined to create an object-level checksum for multipart objects. + You can use this header response to verify that the checksum type that + is received is the same checksum type that was specified in `CreateMultipartUpload` + request. For more information, see [Checking object integrity in the Amazon + S3 User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ETag: + $ref: '#/components/schemas/ETag' + description: An entity tag (ETag) is an opaque identifier assigned by a + web server to a specific version of a resource found at a URL. + MissingMeta: + $ref: '#/components/schemas/MissingMeta' + description: 'This is set to the number of metadata entries not returned + in `x-amz-meta` headers. This can happen if you create metadata using + an API like SOAP that supports more flexible metadata than the REST API. + For example, using SOAP, you can create metadata whose values are not + legal HTTP headers. + + + This functionality is not supported for directory buckets.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID of the object. + + + This functionality is not supported for directory buckets.' + CacheControl: + $ref: '#/components/schemas/CacheControl' + description: Specifies caching behavior along the request/reply chain. + ContentDisposition: + $ref: '#/components/schemas/ContentDisposition' + description: Specifies presentational information for the object. + ContentEncoding: + $ref: '#/components/schemas/ContentEncoding' + description: Indicates what content encodings have been applied to the object + and thus what decoding mechanisms must be applied to obtain the media-type + referenced by the Content-Type header field. + ContentLanguage: + $ref: '#/components/schemas/ContentLanguage' + description: The language the content is in. + ContentType: + $ref: '#/components/schemas/ContentType' + description: A standard MIME type describing the format of the object data. + ContentRange: + $ref: '#/components/schemas/ContentRange' + description: The portion of the object returned in the response for a `GET` + request. + Expires: + $ref: '#/components/schemas/Expires' + description: The date and time at which the object is no longer cacheable. + WebsiteRedirectLocation: + $ref: '#/components/schemas/WebsiteRedirectLocation' + description: 'If the bucket is configured as a website, redirects requests + for this object to another object in the same bucket or to an external + URL. Amazon S3 stores the value of this header in the object metadata. + + + This functionality is not supported for directory buckets.' + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + Metadata: + $ref: '#/components/schemas/Metadata' + description: A map of metadata to store with the object in S3. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the object uses an S3 Bucket Key for server-side + encryption with Key Management Service (KMS) keys (SSE-KMS). + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'Provides storage class information of the object. Amazon S3 + returns this header for all objects except for S3 Standard storage class + objects. + + + For more information, see [Storage Classes](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html). + + + **Directory buckets** \- Directory buckets only support `EXPRESS_ONEZONE` + (the S3 Express One Zone storage class) in Availability Zones and `ONEZONE_IA` + (the S3 One Zone-Infrequent Access storage class) in Dedicated Local Zones.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ReplicationStatus: + $ref: '#/components/schemas/ReplicationStatus' + description: "Amazon S3 can return this header if your request involves\ + \ a bucket that is either a source or a destination in a replication rule.\n\ + \nIn replication, you have a source bucket on which you configure replication\ + \ and destination bucket or buckets where Amazon S3 stores object replicas.\ + \ When you request an object (`GetObject`) or object metadata (`HeadObject`)\ + \ from these buckets, Amazon S3 will return the `x-amz-replication-status`\ + \ header in the response as follows:\n\n * **If requesting an object\ + \ from the source bucket** , Amazon S3 will return the `x-amz-replication-status`\ + \ header if the object in your request is eligible for replication.\n\n\ + For example, suppose that in your replication configuration, you specify\ + \ object prefix `TaxDocs` requesting Amazon S3 to replicate objects with\ + \ key prefix `TaxDocs`. Any objects you upload with this key name prefix,\ + \ for example `TaxDocs/document1.pdf`, are eligible for replication. For\ + \ any object request with this key name prefix, Amazon S3 will return\ + \ the `x-amz-replication-status` header with value PENDING, COMPLETED\ + \ or FAILED indicating object replication status.\n\n * **If requesting\ + \ an object from a destination bucket** , Amazon S3 will return the `x-amz-replication-status`\ + \ header with value REPLICA if the object in your request is a replica\ + \ that Amazon S3 created and there is no replica modification replication\ + \ in progress.\n\n * **When replicating objects to multiple destination\ + \ buckets** , the `x-amz-replication-status` header acts differently.\ + \ The header of the source object will only return a value of COMPLETED\ + \ when replication is successful to all destinations. The header will\ + \ remain at value PENDING until replication has completed for all destinations.\ + \ If one or more destinations fails replication the header will return\ + \ FAILED. \n\nFor more information, see [Replication](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html).\n\ + \nThis functionality is not supported for directory buckets." + PartsCount: + $ref: '#/components/schemas/PartsCount' + description: The count of parts this object has. This value is only returned + if you specify `partNumber` in your request and the object was uploaded + as a multipart upload. + TagCount: + $ref: '#/components/schemas/TagCount' + description: 'The number of tags, if any, on the object, when you have the + relevant permission to read object tags. + + + You can use [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html) + to retrieve the tag set associated with an object. + + + This functionality is not supported for directory buckets.' + ObjectLockMode: + $ref: '#/components/schemas/ObjectLockMode' + description: 'The Object Lock mode, if any, that''s in effect for this object. + This header is only returned if the requester has the `s3:GetObjectRetention` + permission. For more information about S3 Object Lock, see [Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + + This functionality is not supported for directory buckets.' + ObjectLockRetainUntilDate: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + description: 'The date and time when the Object Lock retention period expires. + This header is only returned if the requester has the `s3:GetObjectRetention` + permission. + + + This functionality is not supported for directory buckets.' + ObjectLockLegalHoldStatus: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: 'Specifies whether a legal hold is in effect for this object. + This header is only returned if the requester has the `s3:GetObjectLegalHold` + permission. This header is not returned if the specified version of this + object has never had a legal hold applied. For more information about + S3 Object Lock, see [Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). + + + This functionality is not supported for directory buckets.' + HeadObjectRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket that contains the object. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + IfMatch: + $ref: '#/components/schemas/IfMatch' + description: "Return the object only if its entity tag (ETag) is the same\ + \ as the one specified; otherwise, return a 412 (precondition failed)\ + \ error.\n\nIf both of the `If-Match` and `If-Unmodified-Since` headers\ + \ are present in the request as follows:\n\n * `If-Match` condition evaluates\ + \ to `true`, and;\n\n * `If-Unmodified-Since` condition evaluates to\ + \ `false`;\n\nThen Amazon S3 returns `200 OK` and the data requested.\n\ + \nFor more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232)." + IfModifiedSince: + $ref: '#/components/schemas/IfModifiedSince' + description: "Return the object only if it has been modified since the specified\ + \ time; otherwise, return a 304 (not modified) error.\n\nIf both of the\ + \ `If-None-Match` and `If-Modified-Since` headers are present in the request\ + \ as follows:\n\n * `If-None-Match` condition evaluates to `false`, and;\n\ + \n * `If-Modified-Since` condition evaluates to `true`;\n\nThen Amazon\ + \ S3 returns the `304 Not Modified` response code.\n\nFor more information\ + \ about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232)." + IfNoneMatch: + $ref: '#/components/schemas/IfNoneMatch' + description: "Return the object only if its entity tag (ETag) is different\ + \ from the one specified; otherwise, return a 304 (not modified) error.\n\ + \nIf both of the `If-None-Match` and `If-Modified-Since` headers are present\ + \ in the request as follows:\n\n * `If-None-Match` condition evaluates\ + \ to `false`, and;\n\n * `If-Modified-Since` condition evaluates to `true`;\n\ + \nThen Amazon S3 returns the `304 Not Modified` response code.\n\nFor\ + \ more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232)." + IfUnmodifiedSince: + $ref: '#/components/schemas/IfUnmodifiedSince' + description: "Return the object only if it has not been modified since the\ + \ specified time; otherwise, return a 412 (precondition failed) error.\n\ + \nIf both of the `If-Match` and `If-Unmodified-Since` headers are present\ + \ in the request as follows:\n\n * `If-Match` condition evaluates to\ + \ `true`, and;\n\n * `If-Unmodified-Since` condition evaluates to `false`;\n\ + \nThen Amazon S3 returns `200 OK` and the data requested.\n\nFor more\ + \ information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232)." + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key. + Range: + $ref: '#/components/schemas/Range' + description: HeadObject returns only the metadata for an object. If the + Range is satisfiable, only the `ContentLength` is affected in the response. + If the Range is not satisfiable, S3 returns a `416 - Requested Range Not + Satisfiable` error. + ResponseCacheControl: + $ref: '#/components/schemas/ResponseCacheControl' + description: Sets the `Cache-Control` header of the response. + ResponseContentDisposition: + $ref: '#/components/schemas/ResponseContentDisposition' + description: Sets the `Content-Disposition` header of the response. + ResponseContentEncoding: + $ref: '#/components/schemas/ResponseContentEncoding' + description: Sets the `Content-Encoding` header of the response. + ResponseContentLanguage: + $ref: '#/components/schemas/ResponseContentLanguage' + description: Sets the `Content-Language` header of the response. + ResponseContentType: + $ref: '#/components/schemas/ResponseContentType' + description: Sets the `Content-Type` header of the response. + ResponseExpires: + $ref: '#/components/schemas/ResponseExpires' + description: Sets the `Expires` header of the response. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID used to reference a specific version of the object. + + + For directory buckets in this API operation, only the `null` value of + the version ID is supported.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, AES256). + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded; Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm` + header. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported for directory buckets.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: Part number of the object being read. This is a positive integer + between 1 and 10,000. Effectively performs a 'ranged' HEAD request for + the part specified. Useful querying about the size of the part and the + number of parts in this object. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + ChecksumMode: + $ref: '#/components/schemas/ChecksumMode' + description: 'To retrieve the checksum, this parameter must be enabled. + + + **General purpose buckets** \- If you enable checksum mode and the object + is uploaded with a [checksum](https://docs.aws.amazon.com/AmazonS3/latest/API/API_Checksum.html) + and encrypted with an Key Management Service (KMS) key, you must have + permission to use the `kms:Decrypt` action to retrieve the checksum. + + + **Directory buckets** \- If you enable `ChecksumMode` and the object is + encrypted with Amazon Web Services Key Management Service (Amazon Web + Services KMS), you must also have the `kms:GenerateDataKey` and `kms:Decrypt` + permissions in IAM identity-based policies and KMS key policies for the + KMS key to retrieve the checksum of the object.' + required: + - Bucket + - Key + HostName: + type: string + HttpErrorCodeReturnedEquals: + type: string + HttpRedirectCode: + type: string + ID: + type: string + IdempotencyParameterMismatch: + type: object + properties: {} + description: 'Parameters on this idempotent request are inconsistent with parameters + used in previous request(s). + + + For a list of error codes and more information on Amazon S3 errors, see [Error + codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList). + + + Idempotency ensures that an API request completes no more than one time. With + an idempotent request, if the original request completes successfully, any + subsequent retries complete successfully without performing any further actions.' + IfMatch: + type: string + IfMatchInitiatedTime: + type: string + format: date-time + IfMatchLastModifiedTime: + type: string + format: date-time + IfMatchSize: + type: integer + format: int64 + IfModifiedSince: + type: string + format: date-time + IfNoneMatch: + type: string + IfUnmodifiedSince: + type: string + format: date-time + IndexDocument: + type: object + properties: + Suffix: + $ref: '#/components/schemas/Suffix' + description: 'A suffix that is appended to a request that is for a directory + on the website endpoint. (For example, if the suffix is `index.html` and + you make a request to `samplebucket/images/`, the data that is returned + will be for the object with the key name `images/index.html`.) The suffix + must not be empty and must not include a slash character. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + required: + - Suffix + description: Container for the `Suffix` element. + Initiated: + type: string + format: date-time + Initiator: + type: object + properties: + ID: + $ref: '#/components/schemas/ID' + description: 'If the principal is an Amazon Web Services account, it provides + the Canonical User ID. If the principal is an IAM User, it provides a + user ARN value. + + + **Directory buckets** \- If the principal is an Amazon Web Services account, + it provides the Amazon Web Services account ID. If the principal is an + IAM User, it provides a user ARN value.' + DisplayName: + $ref: '#/components/schemas/DisplayName' + description: This functionality is not supported for directory buckets. + description: Container element that identifies who initiated the multipart upload. + InputSerialization: + type: object + properties: + CSV: + $ref: '#/components/schemas/CSVInput' + description: Describes the serialization of a CSV-encoded object. + CompressionType: + $ref: '#/components/schemas/CompressionType' + description: 'Specifies object''s compression format. Valid values: NONE, + GZIP, BZIP2. Default Value: NONE.' + JSON: + $ref: '#/components/schemas/JSONInput' + description: Specifies JSON as object's input serialization format. + Parquet: + $ref: '#/components/schemas/ParquetInput' + description: Specifies Parquet as object's input serialization format. + description: Describes the serialization format of the object. + IntelligentTieringAccessTier: + type: string + enum: + - ARCHIVE_ACCESS + - DEEP_ARCHIVE_ACCESS + IntelligentTieringAndOperator: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: An object key name prefix that identifies the subset of objects + to which the configuration applies. + Tags: + $ref: '#/components/schemas/TagSet' + description: All of these tags must exist in the object's tag set in order + for the configuration to apply. + description: A container for specifying S3 Intelligent-Tiering filters. The + filters determine the subset of objects to which the rule applies. + IntelligentTieringConfiguration: + type: object + properties: + Id: + $ref: '#/components/schemas/IntelligentTieringId' + description: The ID used to identify the S3 Intelligent-Tiering configuration. + Filter: + $ref: '#/components/schemas/IntelligentTieringFilter' + description: Specifies a bucket filter. The configuration only includes + objects that meet the filter's criteria. + Status: + $ref: '#/components/schemas/IntelligentTieringStatus' + description: Specifies the status of the configuration. + Tierings: + $ref: '#/components/schemas/TieringList' + description: Specifies the S3 Intelligent-Tiering storage class tier of + the configuration. + required: + - Id + - Status + - Tierings + description: 'Specifies the S3 Intelligent-Tiering configuration for an Amazon + S3 bucket. + + + For information about the S3 Intelligent-Tiering storage class, see [Storage + class for automatically optimizing frequently and infrequently accessed objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html#sc-dynamic-data-access).' + IntelligentTieringConfigurationList: + type: array + items: + $ref: '#/components/schemas/IntelligentTieringConfiguration' + IntelligentTieringDays: + type: integer + IntelligentTieringFilter: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'An object key name prefix that identifies the subset of objects + to which the rule applies. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + Tag: + $ref: '#/components/schemas/Tag' + And: + $ref: '#/components/schemas/IntelligentTieringAndOperator' + description: A conjunction (logical AND) of predicates, which is used in + evaluating a metrics filter. The operator must have at least two predicates, + and an object must match all of the predicates in order for the filter + to apply. + description: The `Filter` is used to identify objects that the S3 Intelligent-Tiering + configuration applies to. + IntelligentTieringId: + type: string + IntelligentTieringStatus: + type: string + enum: + - Enabled + - Disabled + InvalidObjectState: + type: object + properties: + StorageClass: + $ref: '#/components/schemas/StorageClass' + AccessTier: + $ref: '#/components/schemas/IntelligentTieringAccessTier' + description: 'Object is archived and inaccessible until restored. + + + If the object you are retrieving is stored in the S3 Glacier Flexible Retrieval + storage class, the S3 Glacier Deep Archive storage class, the S3 Intelligent-Tiering + Archive Access tier, or the S3 Intelligent-Tiering Deep Archive Access tier, + before you can retrieve the object you must first restore a copy using [RestoreObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_RestoreObject.html). + Otherwise, this operation returns an `InvalidObjectState` error. For information + about restoring archived objects, see [Restoring Archived Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/restoring-objects.html) + in the _Amazon S3 User Guide_.' + InvalidRequest: + type: object + properties: {} + description: "You may receive this error in multiple cases. Depending on the\ + \ reason for the error, you may receive one of the messages below:\n\n *\ + \ Cannot specify both a write offset value and user-defined object metadata\ + \ for existing objects.\n\n * Checksum Type mismatch occurred, expected checksum\ + \ Type: sha1, actual checksum Type: crc32c.\n\n * Request body cannot be\ + \ empty when 'write offset' is specified." + InvalidWriteOffset: + type: object + properties: {} + description: The write offset value that you specified does not match the current + object size. + InventoryConfiguration: + type: object + properties: + Destination: + $ref: '#/components/schemas/InventoryDestination' + description: Contains information about where to publish the inventory results. + IsEnabled: + $ref: '#/components/schemas/IsEnabled' + description: Specifies whether the inventory is enabled or disabled. If + set to `True`, an inventory list is generated. If set to `False`, no inventory + list is generated. + Filter: + $ref: '#/components/schemas/InventoryFilter' + description: Specifies an inventory filter. The inventory only includes + objects that meet the filter's criteria. + Id: + $ref: '#/components/schemas/InventoryId' + description: The ID used to identify the inventory configuration. + IncludedObjectVersions: + $ref: '#/components/schemas/InventoryIncludedObjectVersions' + description: Object versions to include in the inventory list. If set to + `All`, the list includes all the object versions, which adds the version-related + fields `VersionId`, `IsLatest`, and `DeleteMarker` to the list. If set + to `Current`, the list does not contain these version-related fields. + OptionalFields: + $ref: '#/components/schemas/InventoryOptionalFields' + description: Contains the optional fields that are included in the inventory + results. + Schedule: + $ref: '#/components/schemas/InventorySchedule' + description: Specifies the schedule for generating inventory results. + required: + - Destination + - IsEnabled + - Id + - IncludedObjectVersions + - Schedule + description: Specifies the S3 Inventory configuration for an Amazon S3 bucket. + For more information, see [GET Bucket inventory](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketGETInventoryConfig.html) + in the _Amazon S3 API Reference_. + InventoryConfigurationList: + type: array + items: + $ref: '#/components/schemas/InventoryConfiguration' + InventoryConfigurationState: + type: string + enum: + - ENABLED + - DISABLED + InventoryDestination: + type: object + properties: + S3BucketDestination: + $ref: '#/components/schemas/InventoryS3BucketDestination' + description: Contains the bucket name, file format, bucket owner (optional), + and prefix (optional) where inventory results are published. + required: + - S3BucketDestination + description: Specifies the S3 Inventory configuration for an Amazon S3 bucket. + InventoryEncryption: + type: object + properties: + SSES3: + $ref: '#/components/schemas/SSES3' + description: Specifies the use of SSE-S3 to encrypt delivered inventory + reports. + SSEKMS: + $ref: '#/components/schemas/SSEKMS' + description: Specifies the use of SSE-KMS to encrypt delivered inventory + reports. + description: Contains the type of server-side encryption used to encrypt the + S3 Inventory results. + InventoryFilter: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: The prefix that an object must have to be included in the inventory + results. + required: + - Prefix + description: Specifies an S3 Inventory filter. The inventory only includes objects + that meet the filter's criteria. + InventoryFormat: + type: string + enum: + - CSV + - ORC + - Parquet + InventoryFrequency: + type: string + enum: + - Daily + - Weekly + InventoryId: + type: string + InventoryIncludedObjectVersions: + type: string + enum: + - All + - Current + InventoryOptionalField: + type: string + enum: + - Size + - LastModifiedDate + - StorageClass + - ETag + - IsMultipartUploaded + - ReplicationStatus + - EncryptionStatus + - ObjectLockRetainUntilDate + - ObjectLockMode + - ObjectLockLegalHoldStatus + - IntelligentTieringAccessTier + - BucketKeyStatus + - ChecksumAlgorithm + - ObjectAccessControlList + - ObjectOwner + InventoryOptionalFields: + type: array + items: + $ref: '#/components/schemas/InventoryOptionalField' + InventoryS3BucketDestination: + type: object + properties: + AccountId: + $ref: '#/components/schemas/AccountId' + description: 'The account ID that owns the destination S3 bucket. If no + account ID is provided, the owner is not validated before exporting data. + + + Although this value is optional, we strongly recommend that you set it + to help prevent problems if the destination bucket ownership changes.' + Bucket: + $ref: '#/components/schemas/BucketName' + description: The Amazon Resource Name (ARN) of the bucket where inventory + results will be published. + Format: + $ref: '#/components/schemas/InventoryFormat' + description: Specifies the output format of the inventory results. + Prefix: + $ref: '#/components/schemas/Prefix' + description: The prefix that is prepended to all inventory results. + Encryption: + $ref: '#/components/schemas/InventoryEncryption' + description: Contains the type of server-side encryption used to encrypt + the inventory results. + required: + - Bucket + - Format + description: Contains the bucket name, file format, bucket owner (optional), + and prefix (optional) where S3 Inventory results are published. + InventorySchedule: + type: object + properties: + Frequency: + $ref: '#/components/schemas/InventoryFrequency' + description: Specifies how frequently inventory results are produced. + required: + - Frequency + description: Specifies the schedule for generating S3 Inventory results. + InventoryTableConfiguration: + type: object + properties: + ConfigurationState: + $ref: '#/components/schemas/InventoryConfigurationState' + description: The configuration state of the inventory table, indicating + whether the inventory table is enabled or disabled. + EncryptionConfiguration: + $ref: '#/components/schemas/MetadataTableEncryptionConfiguration' + description: The encryption configuration for the inventory table. + required: + - ConfigurationState + description: The inventory table configuration for an S3 Metadata configuration. + InventoryTableConfigurationResult: + type: object + properties: + ConfigurationState: + $ref: '#/components/schemas/InventoryConfigurationState' + description: The configuration state of the inventory table, indicating + whether the inventory table is enabled or disabled. + TableStatus: + $ref: '#/components/schemas/MetadataTableStatus' + description: "The status of the inventory table. The status values are:\n\ + \n * `CREATING` \\- The inventory table is in the process of being created\ + \ in the specified Amazon Web Services managed table bucket.\n\n * `BACKFILLING`\ + \ \\- The inventory table is in the process of being backfilled. When\ + \ you enable the inventory table for your metadata configuration, the\ + \ table goes through a process known as backfilling, during which Amazon\ + \ S3 scans your general purpose bucket to retrieve the initial metadata\ + \ for all objects in the bucket. Depending on the number of objects in\ + \ your bucket, this process can take several hours. When the backfilling\ + \ process is finished, the status of your inventory table changes from\ + \ `BACKFILLING` to `ACTIVE`. After backfilling is completed, updates to\ + \ your objects are reflected in the inventory table within one hour.\n\ + \n * `ACTIVE` \\- The inventory table has been created successfully,\ + \ and records are being delivered to the table. \n\n * `FAILED` \\- Amazon\ + \ S3 is unable to create the inventory table, or Amazon S3 is unable to\ + \ deliver records." + Error: + $ref: '#/components/schemas/ErrorDetails' + TableName: + $ref: '#/components/schemas/S3TablesName' + description: The name of the inventory table. + TableArn: + $ref: '#/components/schemas/S3TablesArn' + description: The Amazon Resource Name (ARN) for the inventory table. + required: + - ConfigurationState + description: The inventory table configuration for an S3 Metadata configuration. + InventoryTableConfigurationUpdates: + type: object + properties: + ConfigurationState: + $ref: '#/components/schemas/InventoryConfigurationState' + description: The configuration state of the inventory table, indicating + whether the inventory table is enabled or disabled. + EncryptionConfiguration: + $ref: '#/components/schemas/MetadataTableEncryptionConfiguration' + description: The encryption configuration for the inventory table. + required: + - ConfigurationState + description: The specified updates to the S3 Metadata inventory table configuration. + IsEnabled: + type: boolean + IsLatest: + type: boolean + IsPublic: + type: boolean + IsRestoreInProgress: + type: boolean + IsTruncated: + type: boolean + JSONInput: + type: object + properties: + Type: + $ref: '#/components/schemas/JSONType' + description: 'The type of JSON. Valid values: Document, Lines.' + description: Specifies JSON as object's input serialization format. + JSONOutput: + type: object + properties: + RecordDelimiter: + $ref: '#/components/schemas/RecordDelimiter' + description: The value used to separate individual records in the output. + If no value is specified, Amazon S3 uses a newline character ('\n'). + description: Specifies JSON as request's output serialization format. + JSONType: + type: string + enum: + - DOCUMENT + - LINES + JournalTableConfiguration: + type: object + properties: + RecordExpiration: + $ref: '#/components/schemas/RecordExpiration' + description: The journal table record expiration settings for the journal + table. + EncryptionConfiguration: + $ref: '#/components/schemas/MetadataTableEncryptionConfiguration' + description: The encryption configuration for the journal table. + required: + - RecordExpiration + description: The journal table configuration for an S3 Metadata configuration. + JournalTableConfigurationResult: + type: object + properties: + TableStatus: + $ref: '#/components/schemas/MetadataTableStatus' + description: "The status of the journal table. The status values are:\n\n\ + \ * `CREATING` \\- The journal table is in the process of being created\ + \ in the specified table bucket.\n\n * `ACTIVE` \\- The journal table\ + \ has been created successfully, and records are being delivered to the\ + \ table. \n\n * `FAILED` \\- Amazon S3 is unable to create the journal\ + \ table, or Amazon S3 is unable to deliver records." + Error: + $ref: '#/components/schemas/ErrorDetails' + TableName: + $ref: '#/components/schemas/S3TablesName' + description: The name of the journal table. + TableArn: + $ref: '#/components/schemas/S3TablesArn' + description: The Amazon Resource Name (ARN) for the journal table. + RecordExpiration: + $ref: '#/components/schemas/RecordExpiration' + description: The journal table record expiration settings for the journal + table. + required: + - TableStatus + - TableName + - RecordExpiration + description: The journal table configuration for the S3 Metadata configuration. + JournalTableConfigurationUpdates: + type: object + properties: + RecordExpiration: + $ref: '#/components/schemas/RecordExpiration' + description: The journal table record expiration settings for the journal + table. + required: + - RecordExpiration + description: The specified updates to the S3 Metadata journal table configuration. + KMSContext: + type: string + KeyCount: + type: integer + KeyMarker: + type: string + KeyPrefixEquals: + type: string + KmsKeyArn: + type: string + LambdaFunctionArn: + type: string + LambdaFunctionConfiguration: + type: object + properties: + Id: + $ref: '#/components/schemas/NotificationId' + LambdaFunctionArn: + $ref: '#/components/schemas/LambdaFunctionArn' + description: The Amazon Resource Name (ARN) of the Lambda function that + Amazon S3 invokes when the specified event type occurs. + Events: + $ref: '#/components/schemas/EventList' + description: The Amazon S3 bucket event for which to invoke the Lambda function. + For more information, see [Supported Event Types](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html) + in the _Amazon S3 User Guide_. + Filter: + $ref: '#/components/schemas/NotificationConfigurationFilter' + required: + - LambdaFunctionArn + - Events + description: A container for specifying the configuration for Lambda notifications. + LambdaFunctionConfigurationList: + type: array + items: + $ref: '#/components/schemas/LambdaFunctionConfiguration' + LastModified: + type: string + format: date-time + LastModifiedTime: + type: string + format: date-time + LifecycleExpiration: + type: object + properties: + Date: + $ref: '#/components/schemas/Date' + description: 'Indicates at what date the object is to be moved or deleted. + The date value must conform to the ISO 8601 format. The time is always + midnight UTC. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + Days: + $ref: '#/components/schemas/Days' + description: Indicates the lifetime, in days, of the objects that are subject + to the rule. The value must be a non-zero positive integer. + ExpiredObjectDeleteMarker: + $ref: '#/components/schemas/ExpiredObjectDeleteMarker' + description: 'Indicates whether Amazon S3 will remove a delete marker with + no noncurrent versions. If set to true, the delete marker will be expired; + if set to false the policy takes no action. This cannot be specified with + Days or Date in a Lifecycle Expiration Policy. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + description: 'Container for the expiration for the lifecycle of the object. + + + For more information see, [Managing your storage lifecycle](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lifecycle-mgmt.html) + in the _Amazon S3 User Guide_.' + LifecycleRule: + type: object + properties: + Expiration: + $ref: '#/components/schemas/LifecycleExpiration' + description: Specifies the expiration for the lifecycle of the object in + the form of date, days and, whether the object has a delete marker. + ID: + $ref: '#/components/schemas/ID' + description: Unique identifier for the rule. The value cannot be longer + than 255 characters. + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'The general purpose bucket prefix that identifies one or more + objects to which the rule applies. We recommend using `Filter` instead + of `Prefix` for new PUTs. Previous configurations where a prefix is defined + will continue to operate as before. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + Filter: + $ref: '#/components/schemas/LifecycleRuleFilter' + description: 'The `Filter` is used to identify objects that a Lifecycle + Rule applies to. A `Filter` must have exactly one of `Prefix`, `Tag`, + `ObjectSizeGreaterThan`, `ObjectSizeLessThan`, or `And` specified. `Filter` + is required if the `LifecycleRule` does not contain a `Prefix` element. + + + For more information about `Tag` filters, see [Adding filters to Lifecycle + rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/intro-lifecycle-filters.html) + in the _Amazon S3 User Guide_. + + + `Tag` filters are not supported for directory buckets.' + Status: + $ref: '#/components/schemas/ExpirationStatus' + description: If 'Enabled', the rule is currently being applied. If 'Disabled', + the rule is not currently being applied. + Transitions: + $ref: '#/components/schemas/TransitionList' + description: 'Specifies when an Amazon S3 object transitions to a specified + storage class. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + NoncurrentVersionTransitions: + $ref: '#/components/schemas/NoncurrentVersionTransitionList' + description: 'Specifies the transition rule for the lifecycle rule that + describes when noncurrent objects transition to a specific storage class. + If your bucket is versioning-enabled (or versioning is suspended), you + can set this action to request that Amazon S3 transition noncurrent object + versions to a specific storage class at a set period in the object''s + lifetime. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + NoncurrentVersionExpiration: + $ref: '#/components/schemas/NoncurrentVersionExpiration' + AbortIncompleteMultipartUpload: + $ref: '#/components/schemas/AbortIncompleteMultipartUpload' + required: + - Status + description: 'A lifecycle rule for individual objects in an Amazon S3 bucket. + + + For more information see, [Managing your storage lifecycle](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lifecycle-mgmt.html) + in the _Amazon S3 User Guide_.' + LifecycleRuleAndOperator: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: Prefix identifying one or more objects to which the rule applies. + Tags: + $ref: '#/components/schemas/TagSet' + description: All of these tags must exist in the object's tag set in order + for the rule to apply. + ObjectSizeGreaterThan: + $ref: '#/components/schemas/ObjectSizeGreaterThanBytes' + description: Minimum object size to which the rule applies. + ObjectSizeLessThan: + $ref: '#/components/schemas/ObjectSizeLessThanBytes' + description: Maximum object size to which the rule applies. + description: This is used in a Lifecycle Rule Filter to apply a logical AND + to two or more predicates. The Lifecycle Rule will apply to any object matching + all of the predicates configured inside the And operator. + LifecycleRuleFilter: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'Prefix identifying one or more objects to which the rule applies. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + Tag: + $ref: '#/components/schemas/Tag' + description: 'This tag must exist in the object''s tag set in order for + the rule to apply. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + ObjectSizeGreaterThan: + $ref: '#/components/schemas/ObjectSizeGreaterThanBytes' + description: Minimum object size to which the rule applies. + ObjectSizeLessThan: + $ref: '#/components/schemas/ObjectSizeLessThanBytes' + description: Maximum object size to which the rule applies. + And: + $ref: '#/components/schemas/LifecycleRuleAndOperator' + description: The `Filter` is used to identify objects that a Lifecycle Rule + applies to. A `Filter` can have exactly one of `Prefix`, `Tag`, `ObjectSizeGreaterThan`, + `ObjectSizeLessThan`, or `And` specified. If the `Filter` element is left + empty, the Lifecycle Rule applies to all objects in the bucket. + LifecycleRules: + type: array + items: + $ref: '#/components/schemas/LifecycleRule' + ListBucketAnalyticsConfigurationsOutput: + type: object + properties: + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Indicates whether the returned list of analytics configurations + is complete. A value of true indicates that the list is not complete and + the NextContinuationToken will be provided for a subsequent request. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The marker that is used as a starting point for this analytics + configuration list response. This value is present if it was sent in the + request. + NextContinuationToken: + $ref: '#/components/schemas/NextToken' + description: '`NextContinuationToken` is sent when `isTruncated` is true, + which indicates that there are more analytics configurations to list. + The next request must include this `NextContinuationToken`. The token + is obfuscated and is not a usable value.' + AnalyticsConfigurationList: + $ref: '#/components/schemas/AnalyticsConfigurationList' + description: The list of analytics configurations for a bucket. + ListBucketAnalyticsConfigurationsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket from which analytics configurations + are retrieved. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The `ContinuationToken` that represents a placeholder from + where this request should begin. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + ListBucketIntelligentTieringConfigurationsOutput: + type: object + properties: + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Indicates whether the returned list of analytics configurations + is complete. A value of `true` indicates that the list is not complete + and the `NextContinuationToken` will be provided for a subsequent request. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The `ContinuationToken` that represents a placeholder from + where this request should begin. + NextContinuationToken: + $ref: '#/components/schemas/NextToken' + description: The marker used to continue this inventory configuration listing. + Use the `NextContinuationToken` from this response to continue the listing + in a subsequent request. The continuation token is an opaque value that + Amazon S3 understands. + IntelligentTieringConfigurationList: + $ref: '#/components/schemas/IntelligentTieringConfigurationList' + description: The list of S3 Intelligent-Tiering configurations for a bucket. + ListBucketIntelligentTieringConfigurationsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose configuration you want + to modify or retrieve. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The `ContinuationToken` that represents a placeholder from + where this request should begin. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + ListBucketInventoryConfigurationsOutput: + type: object + properties: + ContinuationToken: + $ref: '#/components/schemas/Token' + description: If sent in the request, the marker that is used as a starting + point for this inventory configuration list response. + InventoryConfigurationList: + $ref: '#/components/schemas/InventoryConfigurationList' + description: The list of inventory configurations for a bucket. + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Tells whether the returned list of inventory configurations + is complete. A value of true indicates that the list is not complete and + the NextContinuationToken is provided for a subsequent request. + NextContinuationToken: + $ref: '#/components/schemas/NextToken' + description: The marker used to continue this inventory configuration listing. + Use the `NextContinuationToken` from this response to continue the listing + in a subsequent request. The continuation token is an opaque value that + Amazon S3 understands. + ListBucketInventoryConfigurationsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the inventory configurations + to retrieve. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The marker used to continue an inventory configuration listing + that has been truncated. Use the `NextContinuationToken` from a previously + truncated list response to continue the listing. The continuation token + is an opaque value that Amazon S3 understands. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + ListBucketMetricsConfigurationsOutput: + type: object + properties: + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Indicates whether the returned list of metrics configurations + is complete. A value of true indicates that the list is not complete and + the NextContinuationToken will be provided for a subsequent request. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The marker that is used as a starting point for this metrics + configuration list response. This value is present if it was sent in the + request. + NextContinuationToken: + $ref: '#/components/schemas/NextToken' + description: The marker used to continue a metrics configuration listing + that has been truncated. Use the `NextContinuationToken` from a previously + truncated list response to continue the listing. The continuation token + is an opaque value that Amazon S3 understands. + MetricsConfigurationList: + $ref: '#/components/schemas/MetricsConfigurationList' + description: The list of metrics configurations for a bucket. + ListBucketMetricsConfigurationsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket containing the metrics configurations + to retrieve. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: The marker that is used to continue a metrics configuration + listing that has been truncated. Use the `NextContinuationToken` from + a previously truncated list response to continue the listing. The continuation + token is an opaque value that Amazon S3 understands. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + ListBucketsOutput: + type: object + properties: + Buckets: + type: array + items: + allOf: + - $ref: "#/components/schemas/Bucket" + - xml: + name: Bucket + Owner: + $ref: '#/components/schemas/Owner' + description: The owner of the buckets listed. + ContinuationToken: + $ref: '#/components/schemas/NextToken' + description: '`ContinuationToken` is included in the response when there + are more buckets that can be listed with pagination. The next `ListBuckets` + request to Amazon S3 can be continued with this `ContinuationToken`. `ContinuationToken` + is obfuscated and is not a real bucket.' + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'If `Prefix` was sent with the request, it is included in the + response. + + + All bucket names in the response begin with the specified bucket name + prefix.' + ListBucketsRequest: + type: object + properties: + MaxBuckets: + $ref: '#/components/schemas/MaxBuckets' + description: Maximum number of buckets to be returned in response. When + the number is more than the count of buckets that are owned by an Amazon + Web Services account, return all the buckets in response. + ContinuationToken: + $ref: '#/components/schemas/Token' + description: '`ContinuationToken` indicates to Amazon S3 that the list is + being continued on this bucket with a token. `ContinuationToken` is obfuscated + and is not a real key. You can use this `ContinuationToken` for pagination + of the list results. + + + Length Constraints: Minimum length of 0. Maximum length of 1024. + + + Required: No. + + + If you specify the `bucket-region`, `prefix`, or `continuation-token` + query parameters without using `max-buckets` to set the maximum number + of buckets returned in the response, Amazon S3 applies a default page + size of 10,000 and provides a continuation token if there are more buckets.' + Prefix: + $ref: '#/components/schemas/Prefix' + description: Limits the response to bucket names that begin with the specified + bucket name prefix. + BucketRegion: + $ref: '#/components/schemas/BucketRegion' + description: 'Limits the response to buckets that are located in the specified + Amazon Web Services Region. The Amazon Web Services Region must be expressed + according to the Amazon Web Services Region code, such as `us-west-2` + for the US West (Oregon) Region. For a list of the valid values for all + of the Amazon Web Services Regions, see [Regions and Endpoints](https://docs.aws.amazon.com/general/latest/gr/rande.html#s3_region). + + + Requests made to a Regional endpoint that is different from the `bucket-region` + parameter are not supported. For example, if you want to limit the response + to your buckets in Region `us-west-2`, the request must be made to an + endpoint in Region `us-west-2`.' + ListDirectoryBucketsOutput: + type: object + properties: + Buckets: + $ref: '#/components/schemas/Buckets' + description: The list of buckets owned by the requester. + ContinuationToken: + $ref: '#/components/schemas/DirectoryBucketToken' + description: If `ContinuationToken` was sent with the request, it is included + in the response. You can use the returned `ContinuationToken` for pagination + of the list response. + ListDirectoryBucketsRequest: + type: object + properties: + ContinuationToken: + $ref: '#/components/schemas/DirectoryBucketToken' + description: '`ContinuationToken` indicates to Amazon S3 that the list is + being continued on buckets in this account with a token. `ContinuationToken` + is obfuscated and is not a real bucket name. You can use this `ContinuationToken` + for the pagination of the list results.' + MaxDirectoryBuckets: + $ref: '#/components/schemas/MaxDirectoryBuckets' + description: Maximum number of buckets to be returned in response. When + the number is more than the count of buckets that are owned by an Amazon + Web Services account, return all the buckets in response. + ListMultipartUploadsOutput: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket to which the multipart upload was initiated. + Does not return the access point ARN or access point alias if used. + KeyMarker: + $ref: '#/components/schemas/KeyMarker' + description: The key at or after which the listing began. + UploadIdMarker: + $ref: '#/components/schemas/UploadIdMarker' + description: 'Together with key-marker, specifies the multipart upload after + which listing should begin. If key-marker is not specified, the upload-id-marker + parameter is ignored. Otherwise, any multipart uploads for a key equal + to the key-marker might be included in the list only if they have an upload + ID lexicographically greater than the specified `upload-id-marker`. + + + This functionality is not supported for directory buckets.' + NextKeyMarker: + $ref: '#/components/schemas/NextKeyMarker' + description: When a list is truncated, this element specifies the value + that should be used for the key-marker request parameter in a subsequent + request. + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'When a prefix is provided in the request, this field contains + the specified prefix. The result contains only keys starting with the + specified prefix. + + + **Directory buckets** \- For directory buckets, only prefixes that end + in a delimiter (`/`) are supported.' + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: 'Contains the delimiter you specified in the request. If you + don''t specify a delimiter in your request, this element is absent from + the response. + + + **Directory buckets** \- For directory buckets, `/` is the only supported + delimiter.' + NextUploadIdMarker: + $ref: '#/components/schemas/NextUploadIdMarker' + description: 'When a list is truncated, this element specifies the value + that should be used for the `upload-id-marker` request parameter in a + subsequent request. + + + This functionality is not supported for directory buckets.' + MaxUploads: + $ref: '#/components/schemas/MaxUploads' + description: Maximum number of multipart uploads that could have been included + in the response. + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Indicates whether the returned list of multipart uploads is + truncated. A value of true indicates that the list was truncated. The + list can be truncated if the number of multipart uploads exceeds the limit + allowed or specified by max uploads. + Uploads: + $ref: '#/components/schemas/MultipartUploadList' + description: Container for elements related to a particular multipart upload. + A response can contain zero or more `Upload` elements. + CommonPrefixes: + $ref: '#/components/schemas/CommonPrefixList' + description: 'If you specify a delimiter in the request, then the result + returns each distinct key prefix containing the delimiter in a `CommonPrefixes` + element. The distinct key prefixes are returned in the `Prefix` child + element. + + + **Directory buckets** \- For directory buckets, only prefixes that end + in a delimiter (`/`) are supported.' + EncodingType: + $ref: '#/components/schemas/EncodingType' + description: 'Encoding type used by Amazon S3 to encode object keys in the + response. + + + If you specify the `encoding-type` request parameter, Amazon S3 includes + this element in the response, and returns encoded key name values in the + following response elements: + + + `Delimiter`, `KeyMarker`, `Prefix`, `NextKeyMarker`, `Key`.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ListMultipartUploadsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket to which the multipart upload was initiated. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: 'Character you use to group keys. + + + All keys that contain the same string between the prefix, if specified, + and the first occurrence of the delimiter after the prefix are grouped + under a single result element, `CommonPrefixes`. If you don''t specify + the prefix parameter, then the substring starts at the beginning of the + key. The keys that are grouped under `CommonPrefixes` result element are + not returned elsewhere in the response. + + + `CommonPrefixes` is filtered out from results if it is not lexicographically + greater than the key-marker. + + + **Directory buckets** \- For directory buckets, `/` is the only supported + delimiter.' + EncodingType: + $ref: '#/components/schemas/EncodingType' + KeyMarker: + $ref: '#/components/schemas/KeyMarker' + description: "Specifies the multipart upload after which listing should\ + \ begin.\n\n * **General purpose buckets** \\- For general purpose buckets,\ + \ `key-marker` is an object key. Together with `upload-id-marker`, this\ + \ parameter specifies the multipart upload after which listing should\ + \ begin.\n\nIf `upload-id-marker` is not specified, only the keys lexicographically\ + \ greater than the specified `key-marker` will be included in the list.\n\ + \nIf `upload-id-marker` is specified, any multipart uploads for a key\ + \ equal to the `key-marker` might also be included, provided those multipart\ + \ uploads have upload IDs lexicographically greater than the specified\ + \ `upload-id-marker`.\n\n * **Directory buckets** \\- For directory buckets,\ + \ `key-marker` is obfuscated and isn't a real object key. The `upload-id-marker`\ + \ parameter isn't supported by directory buckets. To list the additional\ + \ multipart uploads, you only need to set the value of `key-marker` to\ + \ the `NextKeyMarker` value from the previous response. \n\nIn the `ListMultipartUploads`\ + \ response, the multipart uploads aren't sorted lexicographically based\ + \ on the object keys." + MaxUploads: + $ref: '#/components/schemas/MaxUploads' + description: Sets the maximum number of multipart uploads, from 1 to 1,000, + to return in the response body. 1,000 is the maximum number of uploads + that can be returned in a response. + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'Lists in-progress uploads only for those keys that begin with + the specified prefix. You can use prefixes to separate a bucket into different + grouping of keys. (You can think of using `prefix` to make groups in the + same way that you''d use a folder in a file system.) + + + **Directory buckets** \- For directory buckets, only prefixes that end + in a delimiter (`/`) are supported.' + UploadIdMarker: + $ref: '#/components/schemas/UploadIdMarker' + description: 'Together with key-marker, specifies the multipart upload after + which listing should begin. If key-marker is not specified, the upload-id-marker + parameter is ignored. Otherwise, any multipart uploads for a key equal + to the key-marker might be included in the list only if they have an upload + ID lexicographically greater than the specified `upload-id-marker`. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + required: + - Bucket + ListObjectVersionsOutput: + type: object + properties: + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: A flag that indicates whether Amazon S3 returned all of the + results that satisfied the search criteria. If your results were truncated, + you can make a follow-up paginated request by using the `NextKeyMarker` + and `NextVersionIdMarker` response parameters as a starting place in another + request to return the rest of the results. + KeyMarker: + $ref: '#/components/schemas/KeyMarker' + description: Marks the last key returned in a truncated response. + VersionIdMarker: + $ref: '#/components/schemas/VersionIdMarker' + description: Marks the last version of the key returned in a truncated response. + NextKeyMarker: + $ref: '#/components/schemas/NextKeyMarker' + description: When the number of responses exceeds the value of `MaxKeys`, + `NextKeyMarker` specifies the first key not returned that satisfies the + search criteria. Use this value for the key-marker request parameter in + a subsequent request. + NextVersionIdMarker: + $ref: '#/components/schemas/NextVersionIdMarker' + description: When the number of responses exceeds the value of `MaxKeys`, + `NextVersionIdMarker` specifies the first object version not returned + that satisfies the search criteria. Use this value for the `version-id-marker` + request parameter in a subsequent request. + Versions: + $ref: '#/components/schemas/ObjectVersionList' + description: Container for version information. + DeleteMarkers: + $ref: '#/components/schemas/DeleteMarkers' + description: Container for an object that is a delete marker. To learn more + about delete markers, see [Working with delete markers](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeleteMarker.html). + Name: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + Prefix: + $ref: '#/components/schemas/Prefix' + description: Selects objects that start with the value supplied by this + parameter. + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: The delimiter grouping the included keys. A delimiter is a + character that you specify to group keys. All keys that contain the same + string between the prefix and the first occurrence of the delimiter are + grouped under a single result element in `CommonPrefixes`. These groups + are counted as one result against the `max-keys` limitation. These keys + are not returned elsewhere in the response. + MaxKeys: + $ref: '#/components/schemas/MaxKeys' + description: Specifies the maximum number of objects to return. + CommonPrefixes: + $ref: '#/components/schemas/CommonPrefixList' + description: All of the keys rolled up into a common prefix count as a single + return when calculating the number of returns. + EncodingType: + $ref: '#/components/schemas/EncodingType' + description: 'Encoding type used by Amazon S3 to encode object key names + in the XML response. + + + If you specify the `encoding-type` request parameter, Amazon S3 includes + this element in the response, and returns encoded key name values in the + following response elements: + + + `KeyMarker, NextKeyMarker, Prefix, Key`, and `Delimiter`.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ListObjectVersionsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name that contains the objects. + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: 'A delimiter is a character that you specify to group keys. + All keys that contain the same string between the `prefix` and the first + occurrence of the delimiter are grouped under a single result element + in `CommonPrefixes`. These groups are counted as one result against the + `max-keys` limitation. These keys are not returned elsewhere in the response. + + + `CommonPrefixes` is filtered out from results if it is not lexicographically + greater than the key-marker.' + EncodingType: + $ref: '#/components/schemas/EncodingType' + KeyMarker: + $ref: '#/components/schemas/KeyMarker' + description: Specifies the key to start with when listing objects in a bucket. + MaxKeys: + $ref: '#/components/schemas/MaxKeys' + description: Sets the maximum number of keys returned in the response. By + default, the action returns up to 1,000 key names. The response might + contain fewer keys but will never contain more. If additional keys satisfy + the search criteria, but were not returned because `max-keys` was exceeded, + the response contains `true`. To return the additional keys, see `key-marker` + and `version-id-marker`. + Prefix: + $ref: '#/components/schemas/Prefix' + description: Use this parameter to select only those keys that begin with + the specified prefix. You can use prefixes to separate a bucket into different + groupings of keys. (You can think of using `prefix` to make groups in + the same way that you'd use a folder in a file system.) You can use `prefix` + with `delimiter` to roll up numerous objects into a single result under + `CommonPrefixes`. + VersionIdMarker: + $ref: '#/components/schemas/VersionIdMarker' + description: Specifies the object version you want to start listing from. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + OptionalObjectAttributes: + $ref: '#/components/schemas/OptionalObjectAttributesList' + description: Specifies the optional fields that you want returned in the + response. Fields that you do not specify are not returned. + required: + - Bucket + ListObjectsOutput: + type: object + properties: + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: A flag that indicates whether Amazon S3 returned all of the + results that satisfied the search criteria. + Marker: + $ref: '#/components/schemas/Marker' + description: Indicates where in the bucket listing begins. Marker is included + in the response if it was sent with the request. + NextMarker: + $ref: '#/components/schemas/NextMarker' + description: 'When the response is truncated (the `IsTruncated` element + value in the response is `true`), you can use the key name in this field + as the `marker` parameter in the subsequent request to get the next set + of objects. Amazon S3 lists objects in alphabetical order. + + + This element is returned only if you have the `delimiter` request parameter + specified. If the response does not include the `NextMarker` element and + it is truncated, you can use the value of the last `Key` element in the + response as the `marker` parameter in the subsequent request to get the + next set of object keys.' + Contents: + $ref: '#/components/schemas/ObjectList' + description: Metadata about each object returned. + Name: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + Prefix: + $ref: '#/components/schemas/Prefix' + description: Keys that begin with the indicated prefix. + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: Causes keys that contain the same string between the prefix + and the first occurrence of the delimiter to be rolled up into a single + result element in the `CommonPrefixes` collection. These rolled-up keys + are not returned elsewhere in the response. Each rolled-up result counts + as only one return against the `MaxKeys` value. + MaxKeys: + $ref: '#/components/schemas/MaxKeys' + description: The maximum number of keys returned in the response body. + CommonPrefixes: + $ref: '#/components/schemas/CommonPrefixList' + description: 'All of the keys (up to 1,000) rolled up in a common prefix + count as a single return when calculating the number of returns. + + + A response can contain `CommonPrefixes` only if you specify a delimiter. + + + `CommonPrefixes` contains all (if there are any) keys between `Prefix` + and the next occurrence of the string specified by the delimiter. + + + `CommonPrefixes` lists keys that act like subdirectories in the directory + specified by `Prefix`. + + + For example, if the prefix is `notes/` and the delimiter is a slash (`/`), + as in `notes/summer/july`, the common prefix is `notes/summer/`. All of + the keys that roll up into a common prefix count as a single return when + calculating the number of returns.' + EncodingType: + $ref: '#/components/schemas/EncodingType' + description: 'Encoding type used by Amazon S3 to encode the [object keys](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html) + in the response. Responses are encoded only in UTF-8. An object key can + contain any Unicode character. However, the XML 1.0 parser can''t parse + certain characters, such as characters with an ASCII value from 0 to 10. + For characters that aren''t supported in XML 1.0, you can add this parameter + to request that Amazon S3 encode the keys in the response. For more information + about characters to avoid in object key names, see [Object key naming + guidelines](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-guidelines). + + + When using the URL encoding type, non-ASCII characters that are used in + an object''s key name will be percent-encoded according to UTF-8 code + values. For example, the object `test_file(3).png` will appear as `test_file%283%29.png`.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ListObjectsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket containing the objects. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: 'A delimiter is a character that you use to group keys. + + + `CommonPrefixes` is filtered out from results if it is not lexicographically + greater than the key-marker.' + EncodingType: + $ref: '#/components/schemas/EncodingType' + Marker: + $ref: '#/components/schemas/Marker' + description: Marker is where you want Amazon S3 to start listing from. Amazon + S3 starts listing after this specified key. Marker can be any key in the + bucket. + MaxKeys: + $ref: '#/components/schemas/MaxKeys' + description: Sets the maximum number of keys returned in the response. By + default, the action returns up to 1,000 key names. The response might + contain fewer keys but will never contain more. + Prefix: + $ref: '#/components/schemas/Prefix' + description: Limits the response to keys that begin with the specified prefix. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + description: Confirms that the requester knows that she or he will be charged + for the list objects request. Bucket owners need not specify this parameter + in their requests. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + OptionalObjectAttributes: + $ref: '#/components/schemas/OptionalObjectAttributesList' + description: Specifies the optional fields that you want returned in the + response. Fields that you do not specify are not returned. + required: + - Bucket + ListObjectsV2Output: + type: object + properties: + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Set to `false` if all of the results were returned. Set to + `true` if more keys are available to return. If the number of results + exceeds that specified by `MaxKeys`, all of the results might not be returned. + Contents: + $ref: '#/components/schemas/ObjectList' + description: Metadata about each object returned. + Name: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'Keys that begin with the indicated prefix. + + + **Directory buckets** \- For directory buckets, only prefixes that end + in a delimiter (`/`) are supported.' + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: 'Causes keys that contain the same string between the `prefix` + and the first occurrence of the delimiter to be rolled up into a single + result element in the `CommonPrefixes` collection. These rolled-up keys + are not returned elsewhere in the response. Each rolled-up result counts + as only one return against the `MaxKeys` value. + + + **Directory buckets** \- For directory buckets, `/` is the only supported + delimiter.' + MaxKeys: + $ref: '#/components/schemas/MaxKeys' + description: Sets the maximum number of keys returned in the response. By + default, the action returns up to 1,000 key names. The response might + contain fewer keys but will never contain more. + CommonPrefixes: + $ref: '#/components/schemas/CommonPrefixList' + description: "All of the keys (up to 1,000) that share the same prefix are\ + \ grouped together. When counting the total numbers of returns by this\ + \ API operation, this group of keys is considered as one item.\n\nA response\ + \ can contain `CommonPrefixes` only if you specify a delimiter.\n\n`CommonPrefixes`\ + \ contains all (if there are any) keys between `Prefix` and the next occurrence\ + \ of the string specified by a delimiter.\n\n`CommonPrefixes` lists keys\ + \ that act like subdirectories in the directory specified by `Prefix`.\n\ + \nFor example, if the prefix is `notes/` and the delimiter is a slash\ + \ (`/`) as in `notes/summer/july`, the common prefix is `notes/summer/`.\ + \ All of the keys that roll up into a common prefix count as a single\ + \ return when calculating the number of returns.\n\n * **Directory buckets**\ + \ \\- For directory buckets, only prefixes that end in a delimiter (`/`)\ + \ are supported.\n\n * **Directory buckets** \\- When you query `ListObjectsV2`\ + \ with a delimiter during in-progress multipart uploads, the `CommonPrefixes`\ + \ response parameter contains the prefixes that are associated with the\ + \ in-progress multipart uploads. For more information about multipart\ + \ uploads, see [Multipart Upload Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html)\ + \ in the _Amazon S3 User Guide_." + EncodingType: + $ref: '#/components/schemas/EncodingType' + description: 'Encoding type used by Amazon S3 to encode object key names + in the XML response. + + + If you specify the `encoding-type` request parameter, Amazon S3 includes + this element in the response, and returns encoded key name values in the + following response elements: + + + `Delimiter, Prefix, Key,` and `StartAfter`.' + KeyCount: + $ref: '#/components/schemas/KeyCount' + description: '`KeyCount` is the number of keys returned with this request. + `KeyCount` will always be less than or equal to the `MaxKeys` field. For + example, if you ask for 50 keys, your result will include 50 keys or fewer.' + ContinuationToken: + $ref: '#/components/schemas/Token' + description: If `ContinuationToken` was sent with the request, it is included + in the response. You can use the returned `ContinuationToken` for pagination + of the list response. + NextContinuationToken: + $ref: '#/components/schemas/NextToken' + description: '`NextContinuationToken` is sent when `isTruncated` is true, + which means there are more keys in the bucket that can be listed. The + next list requests to Amazon S3 can be continued with this `NextContinuationToken`. + `NextContinuationToken` is obfuscated and is not a real key' + StartAfter: + $ref: '#/components/schemas/StartAfter' + description: 'If StartAfter was sent with the request, it is included in + the response. + + + This functionality is not supported for directory buckets.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ListObjectsV2Request: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: '**Directory buckets** \- When you use this operation with + a directory bucket, you must use virtual-hosted-style requests in the + format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Delimiter: + $ref: '#/components/schemas/Delimiter' + description: "A delimiter is a character that you use to group keys.\n\n\ + `CommonPrefixes` is filtered out from results if it is not lexicographically\ + \ greater than the `StartAfter` value.\n\n * **Directory buckets** \\\ + - For directory buckets, `/` is the only supported delimiter.\n\n * **Directory\ + \ buckets** \\- When you query `ListObjectsV2` with a delimiter during\ + \ in-progress multipart uploads, the `CommonPrefixes` response parameter\ + \ contains the prefixes that are associated with the in-progress multipart\ + \ uploads. For more information about multipart uploads, see [Multipart\ + \ Upload Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html)\ + \ in the _Amazon S3 User Guide_." + EncodingType: + $ref: '#/components/schemas/EncodingType' + description: 'Encoding type used by Amazon S3 to encode the [object keys](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html) + in the response. Responses are encoded only in UTF-8. An object key can + contain any Unicode character. However, the XML 1.0 parser can''t parse + certain characters, such as characters with an ASCII value from 0 to 10. + For characters that aren''t supported in XML 1.0, you can add this parameter + to request that Amazon S3 encode the keys in the response. For more information + about characters to avoid in object key names, see [Object key naming + guidelines](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-guidelines). + + + When using the URL encoding type, non-ASCII characters that are used in + an object''s key name will be percent-encoded according to UTF-8 code + values. For example, the object `test_file(3).png` will appear as `test_file%283%29.png`.' + MaxKeys: + $ref: '#/components/schemas/MaxKeys' + description: Sets the maximum number of keys returned in the response. By + default, the action returns up to 1,000 key names. The response might + contain fewer keys but will never contain more. + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'Limits the response to keys that begin with the specified + prefix. + + + **Directory buckets** \- For directory buckets, only prefixes that end + in a delimiter (`/`) are supported.' + ContinuationToken: + $ref: '#/components/schemas/Token' + description: '`ContinuationToken` indicates to Amazon S3 that the list is + being continued on this bucket with a token. `ContinuationToken` is obfuscated + and is not a real key. You can use this `ContinuationToken` for pagination + of the list results.' + FetchOwner: + $ref: '#/components/schemas/FetchOwner' + description: 'The owner field is not present in `ListObjectsV2` by default. + If you want to return the owner field with each key in the result, then + set the `FetchOwner` field to `true`. + + + **Directory buckets** \- For directory buckets, the bucket owner is returned + as the object owner for all objects.' + StartAfter: + $ref: '#/components/schemas/StartAfter' + description: 'StartAfter is where you want Amazon S3 to start listing from. + Amazon S3 starts listing after this specified key. StartAfter can be any + key in the bucket. + + + This functionality is not supported for directory buckets.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + description: 'Confirms that the requester knows that she or he will be charged + for the list objects request in V2 style. Bucket owners need not specify + this parameter in their requests. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + OptionalObjectAttributes: + $ref: '#/components/schemas/OptionalObjectAttributesList' + description: 'Specifies the optional fields that you want returned in the + response. Fields that you do not specify are not returned. + + + This functionality is not supported for directory buckets.' + required: + - Bucket + ListPartsOutput: + type: object + properties: + AbortDate: + $ref: '#/components/schemas/AbortDate' + description: 'If the bucket has a lifecycle rule configured with an action + to abort incomplete multipart uploads and the prefix in the lifecycle + rule matches the object name in the request, then the response includes + this header indicating when the initiated multipart upload will become + eligible for abort operation. For more information, see [Aborting Incomplete + Multipart Uploads Using a Bucket Lifecycle Configuration](https://docs.aws.amazon.com/AmazonS3/latest/dev/mpuoverview.html#mpu-abort-incomplete-mpu-lifecycle-config). + + + The response will also include the `x-amz-abort-rule-id` header that will + provide the ID of the lifecycle configuration rule that defines this action. + + + This functionality is not supported for directory buckets.' + AbortRuleId: + $ref: '#/components/schemas/AbortRuleId' + description: 'This header is returned along with the `x-amz-abort-date` + header. It identifies applicable lifecycle configuration rule that defines + the action to abort incomplete multipart uploads. + + + This functionality is not supported for directory buckets.' + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket to which the multipart upload was initiated. + Does not return the access point ARN or access point alias if used. + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload was initiated. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: Upload ID identifying the multipart upload whose parts are + being listed. + PartNumberMarker: + $ref: '#/components/schemas/PartNumberMarker' + description: Specifies the part after which listing should begin. Only parts + with higher part numbers will be listed. + NextPartNumberMarker: + $ref: '#/components/schemas/NextPartNumberMarker' + description: When a list is truncated, this element specifies the last part + in the list, as well as the value to use for the `part-number-marker` + request parameter in a subsequent request. + MaxParts: + $ref: '#/components/schemas/MaxParts' + description: Maximum number of parts that were allowed in the response. + IsTruncated: + $ref: '#/components/schemas/IsTruncated' + description: Indicates whether the returned list of parts is truncated. + A true value indicates that the list was truncated. A list can be truncated + if the number of parts exceeds the limit returned in the MaxParts element. + Parts: + $ref: '#/components/schemas/Parts' + description: Container for elements related to a particular part. A response + can contain zero or more `Part` elements. + Initiator: + $ref: '#/components/schemas/Initiator' + description: Container element that identifies who initiated the multipart + upload. If the initiator is an Amazon Web Services account, this element + provides the same information as the `Owner` element. If the initiator + is an IAM User, this element provides the user ARN. + Owner: + $ref: '#/components/schemas/Owner' + description: 'Container element that identifies the object owner, after + the object is created. If multipart upload is initiated by an IAM user, + this element provides the parent account ID. + + + **Directory buckets** \- The bucket owner is returned as the object owner + for all the parts.' + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'The class of storage used to store the uploaded object. + + + **Directory buckets** \- Directory buckets only support `EXPRESS_ONEZONE` + (the S3 Express One Zone storage class) in Availability Zones and `ONEZONE_IA` + (the S3 One Zone-Infrequent Access storage class) in Dedicated Local Zones.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The algorithm that was used to create a checksum of the object. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type, which determines how part-level checksums + are combined to create an object-level checksum for multipart objects. + You can use this header response to verify that the checksum type that + is received is the same checksum type that was specified in `CreateMultipartUpload` + request. For more information, see [Checking object integrity in the Amazon + S3 User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ListPartsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket to which the parts are being uploaded. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload was initiated. + MaxParts: + $ref: '#/components/schemas/MaxParts' + description: Sets the maximum number of parts to return. + PartNumberMarker: + $ref: '#/components/schemas/PartNumberMarker' + description: Specifies the part after which listing should begin. Only parts + with higher part numbers will be listed. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: Upload ID identifying the multipart upload whose parts are + being listed. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'The server-side encryption (SSE) algorithm used to encrypt + the object. This parameter is needed only when the object was created + using a checksum algorithm. For more information, see [Protecting data + using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'The server-side encryption (SSE) customer managed key. This + parameter is needed only when the object was created using a checksum + algorithm. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'The MD5 server-side encryption (SSE) customer managed key. + This parameter is needed only when the object was created using a checksum + algorithm. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + required: + - Bucket + - Key + - UploadId + Location: + type: string + LocationInfo: + type: object + properties: + Type: + $ref: '#/components/schemas/LocationType' + description: The type of location where the bucket will be created. + Name: + $ref: '#/components/schemas/LocationNameAsString' + description: 'The name of the location where the bucket will be created. + + + For directory buckets, the name of the location is the Zone ID of the + Availability Zone (AZ) or Local Zone (LZ) where the bucket will be created. + An example AZ ID value is `usw2-az1`.' + description: 'Specifies the location where the bucket will be created. + + + For directory buckets, the location type is Availability Zone or Local Zone. + For more information about directory buckets, see [Working with directory + buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-overview.html) + in the _Amazon S3 User Guide_. + + + This functionality is only supported by directory buckets.' + LocationNameAsString: + type: string + LocationPrefix: + type: string + LocationType: + type: string + enum: + - AvailabilityZone + - LocalZone + LoggingEnabled: + type: object + properties: + TargetBucket: + $ref: '#/components/schemas/TargetBucket' + description: Specifies the bucket where you want Amazon S3 to store server + access logs. You can have your logs delivered to any bucket that you own, + including the same bucket that is being logged. You can also configure + multiple buckets to deliver their logs to the same target bucket. In this + case, you should choose a different `TargetPrefix` for each source bucket + so that the delivered log files can be distinguished by key. + TargetGrants: + $ref: '#/components/schemas/TargetGrants' + description: 'Container for granting information. + + + Buckets that use the bucket owner enforced setting for Object Ownership + don''t support target grants. For more information, see [Permissions for + server access log delivery](https://docs.aws.amazon.com/AmazonS3/latest/userguide/enable-server-access-logging.html#grant-log-delivery-permissions-general) + in the _Amazon S3 User Guide_.' + TargetPrefix: + $ref: '#/components/schemas/TargetPrefix' + description: A prefix for all log object keys. If you store log files from + multiple Amazon S3 buckets in a single bucket, you can use a prefix to + distinguish which log files came from which bucket. + TargetObjectKeyFormat: + $ref: '#/components/schemas/TargetObjectKeyFormat' + description: Amazon S3 key format for log objects. + required: + - TargetBucket + - TargetPrefix + description: Describes where logs are stored and the prefix that Amazon S3 assigns + to all log object keys for a bucket. For more information, see [PUT Bucket + logging](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketPUTlogging.html) + in the _Amazon S3 API Reference_. + MFA: + type: string + MFADelete: + type: string + enum: + - Enabled + - Disabled + MFADeleteStatus: + type: string + enum: + - Enabled + - Disabled + Marker: + type: string + MaxAgeSeconds: + type: integer + MaxBuckets: + type: integer + minimum: 1 + maximum: 10000 + MaxDirectoryBuckets: + type: integer + minimum: 0 + maximum: 1000 + MaxKeys: + type: integer + MaxParts: + type: integer + MaxUploads: + type: integer + Message: + type: string + Metadata: + type: object + additionalProperties: + $ref: '#/components/schemas/metadatavalue' + MetadataConfiguration: + type: object + properties: + JournalTableConfiguration: + $ref: '#/components/schemas/JournalTableConfiguration' + description: The journal table configuration for a metadata configuration. + InventoryTableConfiguration: + $ref: '#/components/schemas/InventoryTableConfiguration' + description: The inventory table configuration for a metadata configuration. + required: + - JournalTableConfiguration + description: The S3 Metadata configuration for a general purpose bucket. + MetadataConfigurationResult: + type: object + properties: + DestinationResult: + $ref: '#/components/schemas/DestinationResult' + description: The destination settings for a metadata configuration. + JournalTableConfigurationResult: + $ref: '#/components/schemas/JournalTableConfigurationResult' + description: The journal table configuration for a metadata configuration. + InventoryTableConfigurationResult: + $ref: '#/components/schemas/InventoryTableConfigurationResult' + description: The inventory table configuration for a metadata configuration. + required: + - DestinationResult + description: The S3 Metadata configuration for a general purpose bucket. + MetadataDirective: + type: string + enum: + - COPY + - REPLACE + MetadataEntry: + type: object + properties: + Name: + $ref: '#/components/schemas/MetadataKey' + description: Name of the object. + Value: + $ref: '#/components/schemas/MetadataValue' + description: Value of the object. + description: A metadata key-value pair to store with an object. + MetadataKey: + type: string + MetadataTableConfiguration: + type: object + properties: + S3TablesDestination: + $ref: '#/components/schemas/S3TablesDestination' + description: The destination information for the metadata table configuration. + The destination table bucket must be in the same Region and Amazon Web + Services account as the general purpose bucket. The specified metadata + table name must be unique within the `aws_s3_metadata` namespace in the + destination table bucket. + required: + - S3TablesDestination + description: 'The V1 S3 Metadata configuration for a general purpose bucket. + + + If you created your S3 Metadata configuration before July 15, 2025, we recommend + that you delete and re-create your configuration by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html) + so that you can expire journal table records and create a live inventory table.' + MetadataTableConfigurationResult: + type: object + properties: + S3TablesDestinationResult: + $ref: '#/components/schemas/S3TablesDestinationResult' + description: The destination information for the metadata table configuration. + The destination table bucket must be in the same Region and Amazon Web + Services account as the general purpose bucket. The specified metadata + table name must be unique within the `aws_s3_metadata` namespace in the + destination table bucket. + required: + - S3TablesDestinationResult + description: 'The V1 S3 Metadata configuration for a general purpose bucket. + The destination table bucket must be in the same Region and Amazon Web Services + account as the general purpose bucket. The specified metadata table name must + be unique within the `aws_s3_metadata` namespace in the destination table + bucket. + + + If you created your S3 Metadata configuration before July 15, 2025, we recommend + that you delete and re-create your configuration by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html) + so that you can expire journal table records and create a live inventory table.' + MetadataTableEncryptionConfiguration: + type: object + properties: + SseAlgorithm: + $ref: '#/components/schemas/TableSseAlgorithm' + description: The encryption type specified for a metadata table. To specify + server-side encryption with Key Management Service (KMS) keys (SSE-KMS), + use the `aws:kms` value. To specify server-side encryption with Amazon + S3 managed keys (SSE-S3), use the `AES256` value. + KmsKeyArn: + $ref: '#/components/schemas/KmsKeyArn' + description: If server-side encryption with Key Management Service (KMS) + keys (SSE-KMS) is specified, you must also specify the KMS key Amazon + Resource Name (ARN). You must specify a customer-managed KMS key that's + located in the same Region as the general purpose bucket that corresponds + to the metadata table configuration. + required: + - SseAlgorithm + description: The encryption settings for an S3 Metadata journal table or inventory + table configuration. + MetadataTableStatus: + type: string + MetadataValue: + type: string + Metrics: + type: object + properties: + Status: + $ref: '#/components/schemas/MetricsStatus' + description: Specifies whether the replication metrics are enabled. + EventThreshold: + $ref: '#/components/schemas/ReplicationTimeValue' + description: A container specifying the time threshold for emitting the + `s3:Replication:OperationMissedThreshold` event. + required: + - Status + description: A container specifying replication metrics-related settings enabling + replication metrics and events. + MetricsAndOperator: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: The prefix used when evaluating an AND predicate. + Tags: + $ref: '#/components/schemas/TagSet' + description: The list of tags used when evaluating an AND predicate. + AccessPointArn: + $ref: '#/components/schemas/AccessPointArn' + description: The access point ARN used when evaluating an `AND` predicate. + description: A conjunction (logical AND) of predicates, which is used in evaluating + a metrics filter. The operator must have at least two predicates, and an object + must match all of the predicates in order for the filter to apply. + MetricsConfiguration: + type: object + properties: + Id: + $ref: '#/components/schemas/MetricsId' + description: The ID used to identify the metrics configuration. The ID has + a 64 character limit and can only contain letters, numbers, periods, dashes, + and underscores. + Filter: + $ref: '#/components/schemas/MetricsFilter' + description: Specifies a metrics configuration filter. The metrics configuration + will only include objects that meet the filter's criteria. A filter must + be a prefix, an object tag, an access point ARN, or a conjunction (MetricsAndOperator). + required: + - Id + description: Specifies a metrics configuration for the CloudWatch request metrics + (specified by the metrics configuration ID) from an Amazon S3 bucket. If you're + updating an existing metrics configuration, note that this is a full replacement + of the existing metrics configuration. If you don't include the elements you + want to keep, they are erased. For more information, see [PutBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketPUTMetricConfiguration.html). + MetricsConfigurationList: + type: array + items: + $ref: '#/components/schemas/MetricsConfiguration' + MetricsFilter: + allOf: + - $ref: '#/components/schemas/Prefix' + description: |- + The prefix used when evaluating a metrics filter. + - $ref: '#/components/schemas/Tag' + description: |- + The tag used when evaluating a metrics filter. + - $ref: '#/components/schemas/AccessPointArn' + description: |- + The access point ARN used when evaluating a metrics filter. + - $ref: '#/components/schemas/MetricsAndOperator' + description: |- + A conjunction (logical AND) of predicates, which is used in evaluating a metrics filter. The operator must have at least two predicates, and an object must match all of the predicates in order for the filter to apply. + description: |- + Specifies a metrics configuration filter. The metrics configuration only includes objects that meet the filter's criteria. A filter must be a prefix, an object tag, an access point ARN, or a conjunction (MetricsAndOperator). For more information, see [PutBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketMetricsConfiguration.html). + MetricsId: + type: string + MetricsStatus: + type: string + enum: + - Enabled + - Disabled + Minutes: + type: integer + MissingMeta: + type: integer + MpuObjectSize: + type: integer + format: int64 + MultipartUpload: + type: object + properties: + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: Upload ID that identifies the multipart upload. + Key: + $ref: '#/components/schemas/ObjectKey' + description: Key of the object for which the multipart upload was initiated. + Initiated: + $ref: '#/components/schemas/Initiated' + description: Date and time at which the multipart upload was initiated. + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'The class of storage used to store the object. + + + **Directory buckets** \- Directory buckets only support `EXPRESS_ONEZONE` + (the S3 Express One Zone storage class) in Availability Zones and `ONEZONE_IA` + (the S3 One Zone-Infrequent Access storage class) in Dedicated Local Zones.' + Owner: + $ref: '#/components/schemas/Owner' + description: 'Specifies the owner of the object that is part of the multipart + upload. + + + **Directory buckets** \- The bucket owner is returned as the object owner + for all the objects.' + Initiator: + $ref: '#/components/schemas/Initiator' + description: Identifies who initiated the multipart upload. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The algorithm that was used to create a checksum of the object. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type that is used to calculate the object’s checksum + value. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + description: Container for the `MultipartUpload` for the Amazon S3 object. + MultipartUploadId: + type: string + MultipartUploadList: + type: array + items: + $ref: '#/components/schemas/MultipartUpload' + NextKeyMarker: + type: string + NextMarker: + type: string + NextPartNumberMarker: + type: string + NextToken: + type: string + NextUploadIdMarker: + type: string + NextVersionIdMarker: + type: string + NoSuchBucket: + type: object + properties: {} + description: The specified bucket does not exist. + NoSuchKey: + type: object + properties: {} + description: The specified key does not exist. + NoSuchUpload: + type: object + properties: {} + description: The specified multipart upload does not exist. + NoncurrentVersionExpiration: + type: object + properties: + NoncurrentDays: + $ref: '#/components/schemas/Days' + description: 'Specifies the number of days an object is noncurrent before + Amazon S3 can perform the associated action. The value must be a non-zero + positive integer. For information about the noncurrent days calculations, + see [How Amazon S3 Calculates When an Object Became Noncurrent](https://docs.aws.amazon.com/AmazonS3/latest/dev/intro-lifecycle-rules.html#non-current-days-calculations) + in the _Amazon S3 User Guide_. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + NewerNoncurrentVersions: + $ref: '#/components/schemas/VersionCount' + description: 'Specifies how many noncurrent versions Amazon S3 will retain. + You can specify up to 100 noncurrent versions to retain. Amazon S3 will + permanently delete any additional noncurrent versions beyond the specified + number to retain. For more information about noncurrent versions, see + [Lifecycle configuration elements](https://docs.aws.amazon.com/AmazonS3/latest/userguide/intro-lifecycle-rules.html) + in the _Amazon S3 User Guide_. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + description: 'Specifies when noncurrent object versions expire. Upon expiration, + Amazon S3 permanently deletes the noncurrent object versions. You set this + lifecycle configuration action on a bucket that has versioning enabled (or + suspended) to request that Amazon S3 delete noncurrent object versions at + a specific period in the object''s lifetime. + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + NoncurrentVersionTransition: + type: object + properties: + NoncurrentDays: + $ref: '#/components/schemas/Days' + description: Specifies the number of days an object is noncurrent before + Amazon S3 can perform the associated action. For information about the + noncurrent days calculations, see [How Amazon S3 Calculates How Long an + Object Has Been Noncurrent](https://docs.aws.amazon.com/AmazonS3/latest/dev/intro-lifecycle-rules.html#non-current-days-calculations) + in the _Amazon S3 User Guide_. + StorageClass: + $ref: '#/components/schemas/TransitionStorageClass' + description: The class of storage used to store the object. + NewerNoncurrentVersions: + $ref: '#/components/schemas/VersionCount' + description: Specifies how many noncurrent versions Amazon S3 will retain + in the same storage class before transitioning objects. You can specify + up to 100 noncurrent versions to retain. Amazon S3 will transition any + additional noncurrent versions beyond the specified number to retain. + For more information about noncurrent versions, see [Lifecycle configuration + elements](https://docs.aws.amazon.com/AmazonS3/latest/userguide/intro-lifecycle-rules.html) + in the _Amazon S3 User Guide_. + description: Container for the transition rule that describes when noncurrent + objects transition to the `STANDARD_IA`, `ONEZONE_IA`, `INTELLIGENT_TIERING`, + `GLACIER_IR`, `GLACIER`, or `DEEP_ARCHIVE` storage class. If your bucket is + versioning-enabled (or versioning is suspended), you can set this action to + request that Amazon S3 transition noncurrent object versions to the `STANDARD_IA`, + `ONEZONE_IA`, `INTELLIGENT_TIERING`, `GLACIER_IR`, `GLACIER`, or `DEEP_ARCHIVE` + storage class at a specific period in the object's lifetime. + NoncurrentVersionTransitionList: + type: array + items: + $ref: '#/components/schemas/NoncurrentVersionTransition' + NotFound: + type: object + properties: {} + description: The specified content does not exist. + NotificationConfiguration: + type: object + properties: + TopicConfigurations: + $ref: '#/components/schemas/TopicConfigurationList' + description: The topic to which notifications are sent and the events for + which notifications are generated. + QueueConfigurations: + $ref: '#/components/schemas/QueueConfigurationList' + description: The Amazon Simple Queue Service queues to publish messages + to and the events for which to publish messages. + LambdaFunctionConfigurations: + $ref: '#/components/schemas/LambdaFunctionConfigurationList' + description: Describes the Lambda functions to invoke and the events for + which to invoke them. + EventBridgeConfiguration: + $ref: '#/components/schemas/EventBridgeConfiguration' + description: Enables delivery of events to Amazon EventBridge. + description: A container for specifying the notification configuration of the + bucket. If this element is empty, notifications are turned off for the bucket. + NotificationConfigurationFilter: + type: object + properties: + Key: + $ref: '#/components/schemas/S3KeyFilter' + description: Specifies object key name filtering rules. For information about + key name filtering, see [Configuring event notifications using object key + name filtering](https://docs.aws.amazon.com/AmazonS3/latest/userguide/notification-how-to-filtering.html) + in the _Amazon S3 User Guide_. + NotificationId: + type: string + Object: + type: object + properties: + Key: + $ref: '#/components/schemas/ObjectKey' + description: The name that you assign to an object. You use the object key + to retrieve the object. + LastModified: + $ref: '#/components/schemas/LastModified' + description: Creation date of the object. + ETag: + $ref: '#/components/schemas/ETag' + description: "The entity tag is a hash of the object. The ETag reflects\ + \ changes only to the contents of an object, not its metadata. The ETag\ + \ may or may not be an MD5 digest of the object data. Whether or not it\ + \ is depends on how the object was created and how it is encrypted as\ + \ described below:\n\n * Objects created by the PUT Object, POST Object,\ + \ or Copy operation, or through the Amazon Web Services Management Console,\ + \ and are encrypted by SSE-S3 or plaintext, have ETags that are an MD5\ + \ digest of their object data.\n\n * Objects created by the PUT Object,\ + \ POST Object, or Copy operation, or through the Amazon Web Services Management\ + \ Console, and are encrypted by SSE-C or SSE-KMS, have ETags that are\ + \ not an MD5 digest of their object data.\n\n * If an object is created\ + \ by either the Multipart Upload or Part Copy operation, the ETag is not\ + \ an MD5 digest, regardless of the method of encryption. If an object\ + \ is larger than 16 MB, the Amazon Web Services Management Console will\ + \ upload or copy that object as a Multipart Upload, and therefore the\ + \ ETag will not be an MD5 digest.\n\n**Directory buckets** \\- MD5 is\ + \ not supported by directory buckets." + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithmList' + description: The algorithm that was used to create a checksum of the object. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type that is used to calculate the object’s checksum + value. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + Size: + $ref: '#/components/schemas/Size' + description: Size in bytes of the object + StorageClass: + $ref: '#/components/schemas/ObjectStorageClass' + description: 'The class of storage used to store the object. + + + **Directory buckets** \- Directory buckets only support `EXPRESS_ONEZONE` + (the S3 Express One Zone storage class) in Availability Zones and `ONEZONE_IA` + (the S3 One Zone-Infrequent Access storage class) in Dedicated Local Zones.' + Owner: + $ref: '#/components/schemas/Owner' + description: 'The owner of the object + + + **Directory buckets** \- The bucket owner is returned as the object owner.' + RestoreStatus: + $ref: '#/components/schemas/RestoreStatus' + description: 'Specifies the restoration status of an object. Objects in + certain storage classes must be restored before they can be retrieved. + For more information about these storage classes and how to work with + archived objects, see [ Working with archived objects](https://docs.aws.amazon.com/AmazonS3/latest/userguide/archived-objects.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets. Directory buckets + only support `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) + in Availability Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access + storage class) in Dedicated Local Zones.' + description: An object consists of data and its descriptive metadata. + ObjectAlreadyInActiveTierError: + type: object + properties: {} + description: This action is not allowed against this storage tier. + ObjectAttributes: + type: string + enum: + - ETag + - Checksum + - ObjectParts + - StorageClass + - ObjectSize + ObjectAttributesList: + type: array + items: + $ref: '#/components/schemas/ObjectAttributes' + ObjectCannedACL: + type: string + enum: + - private + - public-read + - public-read-write + - authenticated-read + - aws-exec-read + - bucket-owner-read + - bucket-owner-full-control + ObjectIdentifier: + type: object + properties: + Key: + $ref: '#/components/schemas/ObjectKey' + description: 'Key name of the object. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID for the specific version of the object to delete. + + + This functionality is not supported for directory buckets.' + ETag: + $ref: '#/components/schemas/ETag' + description: 'An entity tag (ETag) is an identifier assigned by a web server + to a specific version of a resource found at a URL. This header field + makes the request method conditional on `ETags`. + + + Entity tags (ETags) for S3 Express One Zone are random alphanumeric strings + unique to the object.' + LastModifiedTime: + $ref: '#/components/schemas/LastModifiedTime' + description: 'If present, the objects are deleted only if its modification + times matches the provided `Timestamp`. + + + This functionality is only supported for directory buckets.' + Size: + $ref: '#/components/schemas/Size' + description: 'If present, the objects are deleted only if its size matches + the provided size in bytes. + + + This functionality is only supported for directory buckets.' + required: + - Key + description: Object Identifier is unique value to identify objects. + ObjectIdentifierList: + type: array + items: + $ref: '#/components/schemas/ObjectIdentifier' + ObjectKey: + type: string + minLength: 1 + ObjectList: + type: array + items: + $ref: '#/components/schemas/Object' + ObjectLockConfiguration: + type: object + properties: + ObjectLockEnabled: + $ref: '#/components/schemas/ObjectLockEnabled' + description: Indicates whether this bucket has an Object Lock configuration + enabled. Enable `ObjectLockEnabled` when you apply `ObjectLockConfiguration` + to a bucket. + Rule: + $ref: '#/components/schemas/ObjectLockRule' + description: Specifies the Object Lock rule for the specified object. Enable + the this rule when you apply `ObjectLockConfiguration` to a bucket. Bucket + settings require both a mode and a period. The period can be either `Days` + or `Years` but you must select one. You cannot specify `Days` and `Years` + at the same time. + description: The container element for Object Lock configuration parameters. + ObjectLockEnabled: + type: string + enum: + - Enabled + ObjectLockEnabledForBucket: + type: boolean + ObjectLockLegalHold: + type: object + properties: + Status: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: Indicates whether the specified object has a legal hold in + place. + description: A legal hold configuration for an object. + ObjectLockLegalHoldStatus: + type: string + enum: + - 'ON' + - 'OFF' + ObjectLockMode: + type: string + enum: + - GOVERNANCE + - COMPLIANCE + ObjectLockRetainUntilDate: + type: string + format: date-time + ObjectLockRetention: + type: object + properties: + Mode: + $ref: '#/components/schemas/ObjectLockRetentionMode' + description: Indicates the Retention mode for the specified object. + RetainUntilDate: + $ref: '#/components/schemas/Date' + description: The date on which this Object Lock Retention will expire. + description: A Retention configuration for an object. + ObjectLockRetentionMode: + type: string + enum: + - GOVERNANCE + - COMPLIANCE + ObjectLockRule: + type: object + properties: + DefaultRetention: + $ref: '#/components/schemas/DefaultRetention' + description: The default Object Lock retention mode and period that you + want to apply to new objects placed in the specified bucket. Bucket settings + require both a mode and a period. The period can be either `Days` or `Years` + but you must select one. You cannot specify `Days` and `Years` at the + same time. + description: The container element for an Object Lock rule. + ObjectLockToken: + type: string + ObjectNotInActiveTierError: + type: object + properties: {} + description: The source object of the COPY action is not in the active tier + and is only stored in Amazon S3 Glacier. + ObjectOwnership: + type: string + enum: + - BucketOwnerPreferred + - ObjectWriter + - BucketOwnerEnforced + description: "

The container element for object ownership for a bucket's ownership\ + \ controls.

\n

\n BucketOwnerPreferred\ + \ - Objects uploaded to the bucket change ownership to the bucket\n owner\ + \ if the objects are uploaded with the bucket-owner-full-control\ + \ canned ACL.

\n

\n ObjectWriter - The\ + \ uploading account will own the object if the object is uploaded with\n \ + \ the bucket-owner-full-control canned ACL.

\n \ + \

\n BucketOwnerEnforced - Access control lists\ + \ (ACLs) are disabled and no longer affect\n permissions. The bucket\ + \ owner automatically owns and has full control over every object in the bucket.\n\ + \ The bucket only accepts PUT requests that don't specify an ACL or specify\ + \ bucket owner full control ACLs\n (such as the predefined bucket-owner-full-control\ + \ canned ACL or a custom ACL in XML format\n that grants the same permissions).

\n\ + \

By default, ObjectOwnership is set to BucketOwnerEnforced\ + \ and ACLs are\n disabled. We recommend keeping ACLs disabled, except\ + \ in uncommon use cases where you must control access\n for each object\ + \ individually. For more information about S3 Object Ownership, see Controlling\n ownership of objects and disabling ACLs for your bucket\ + \ in the\n Amazon S3 User Guide.

\n \n \ + \

This functionality is not supported for directory buckets. Directory\ + \ buckets use the bucket owner enforced setting for S3 Object Ownership.

\n\ + \
" + ObjectPart: + type: object + properties: + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: The part number identifying the part. This value is a positive + integer between 1 and 10,000. + Size: + $ref: '#/components/schemas/Size' + description: The size of the uploaded part in bytes. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32` checksum of the part. This + checksum is present if the multipart upload request was created with the + `CRC32` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the part. This + checksum is present if the multipart upload request was created with the + `CRC32C` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the part. + This checksum is present if the multipart upload request was created with + the `CRC64NVME` checksum algorithm, or if the object was uploaded without + a checksum (and Amazon S3 added the default checksum, `CRC64NVME`, to + the uploaded object). For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` checksum of the part. This + checksum is present if the multipart upload request was created with the + `SHA1` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` checksum of the part. + This checksum is present if the multipart upload request was created with + the `SHA256` checksum algorithm. For more information, see [Checking object + integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + description: A container for elements related to an individual part. + ObjectSize: + type: integer + format: int64 + ObjectSizeGreaterThanBytes: + type: integer + format: int64 + ObjectSizeLessThanBytes: + type: integer + format: int64 + ObjectStorageClass: + type: string + enum: + - STANDARD + - REDUCED_REDUNDANCY + - GLACIER + - STANDARD_IA + - ONEZONE_IA + - INTELLIGENT_TIERING + - DEEP_ARCHIVE + - OUTPOSTS + - GLACIER_IR + - SNOW + - EXPRESS_ONEZONE + - FSX_OPENZFS + - FSX_ONTAP + ObjectVersion: + type: object + properties: + ETag: + $ref: '#/components/schemas/ETag' + description: The entity tag is an MD5 hash of that version of the object. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithmList' + description: The algorithm that was used to create a checksum of the object. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: The checksum type that is used to calculate the object’s checksum + value. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + Size: + $ref: '#/components/schemas/Size' + description: Size in bytes of the object. + StorageClass: + $ref: '#/components/schemas/ObjectVersionStorageClass' + description: The class of storage used to store the object. + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: Version ID of an object. + IsLatest: + $ref: '#/components/schemas/IsLatest' + description: Specifies whether the object is (true) or is not (false) the + latest version of an object. + LastModified: + $ref: '#/components/schemas/LastModified' + description: Date and time when the object was last modified. + Owner: + $ref: '#/components/schemas/Owner' + description: Specifies the owner of the object. + RestoreStatus: + $ref: '#/components/schemas/RestoreStatus' + description: Specifies the restoration status of an object. Objects in certain + storage classes must be restored before they can be retrieved. For more + information about these storage classes and how to work with archived + objects, see [ Working with archived objects](https://docs.aws.amazon.com/AmazonS3/latest/userguide/archived-objects.html) + in the _Amazon S3 User Guide_. + description: The version of an object. + ObjectVersionId: + type: string + ObjectVersionList: + type: array + items: + $ref: '#/components/schemas/ObjectVersion' + ObjectVersionStorageClass: + type: string + enum: + - STANDARD + OptionalObjectAttributes: + type: string + enum: + - RestoreStatus + OptionalObjectAttributesList: + type: array + items: + $ref: '#/components/schemas/OptionalObjectAttributes' + OutputLocation: + type: object + properties: + S3: + $ref: '#/components/schemas/S3Location' + description: Describes an S3 location that will receive the results of the + restore request. + description: Describes the location where the restore job's output is stored. + OutputSerialization: + type: object + properties: + CSV: + $ref: '#/components/schemas/CSVOutput' + description: Describes the serialization of CSV-encoded Select results. + JSON: + $ref: '#/components/schemas/JSONOutput' + description: Specifies JSON as request's output serialization format. + description: Describes how results of the Select job are serialized. + Owner: + type: object + properties: + DisplayName: + $ref: '#/components/schemas/DisplayName' + description: '' + ID: + $ref: '#/components/schemas/ID' + description: Container for the ID of the owner. + description: Container for the owner's display name and ID. + OwnerOverride: + type: string + enum: + - Destination + OwnershipControls: + type: object + properties: + Rules: + $ref: '#/components/schemas/OwnershipControlsRules' + description: The container element for an ownership control rule. + required: + - Rules + description: The container element for a bucket's ownership controls. + OwnershipControlsRule: + type: object + properties: + ObjectOwnership: + $ref: '#/components/schemas/ObjectOwnership' + required: + - ObjectOwnership + description: The container element for an ownership control rule. + OwnershipControlsRules: + type: array + items: + $ref: '#/components/schemas/OwnershipControlsRule' + ParquetInput: + type: object + properties: {} + description: Container for Parquet. + Part: + type: object + properties: + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: Part number identifying the part. This is a positive integer + between 1 and 10,000. + LastModified: + $ref: '#/components/schemas/LastModified' + description: Date and time at which the part was uploaded. + ETag: + $ref: '#/components/schemas/ETag' + description: Entity tag returned when the part was uploaded. + Size: + $ref: '#/components/schemas/Size' + description: Size in bytes of the uploaded part data. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32` checksum of the part. This + checksum is present if the object was uploaded with the `CRC32` checksum + algorithm. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the part. This + checksum is present if the object was uploaded with the `CRC32C` checksum + algorithm. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the part. + This checksum is present if the multipart upload request was created with + the `CRC64NVME` checksum algorithm, or if the object was uploaded without + a checksum (and Amazon S3 added the default checksum, `CRC64NVME`, to + the uploaded object). For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` checksum of the part. This + checksum is present if the object was uploaded with the `SHA1` checksum + algorithm. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` checksum of the part. + This checksum is present if the object was uploaded with the `SHA256` + checksum algorithm. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + description: Container for elements related to a part. + PartNumber: + type: integer + PartNumberMarker: + type: string + PartitionDateSource: + type: string + enum: + - EventTime + - DeliveryTime + PartitionedPrefix: + type: object + properties: + PartitionDateSource: + $ref: '#/components/schemas/PartitionDateSource' + description: 'Specifies the partition date source for the partitioned prefix. + `PartitionDateSource` can be `EventTime` or `DeliveryTime`. + + + For `DeliveryTime`, the time in the log file names corresponds to the + delivery time for the log files. + + + For `EventTime`, The logs delivered are for a specific day only. The year, + month, and day correspond to the day on which the event occurred, and + the hour, minutes and seconds are set to 00 in the key.' + description: 'Amazon S3 keys for log objects are partitioned in the following + format: + + + `[DestinationPrefix][SourceAccountId]/[SourceRegion]/[SourceBucket]/[YYYY]/[MM]/[DD]/[YYYY]-[MM]-[DD]-[hh]-[mm]-[ss]-[UniqueString]` + + + PartitionedPrefix defaults to EventTime delivery when server access logs are + delivered.' + Parts: + type: array + items: + $ref: '#/components/schemas/Part' + PartsCount: + type: integer + PartsList: + type: array + items: + $ref: '#/components/schemas/ObjectPart' + Payer: + type: string + enum: + - Requester + - BucketOwner + Permission: + type: string + enum: + - FULL_CONTROL + - WRITE + - WRITE_ACP + - READ + - READ_ACP + Policy: + type: string + PolicyStatus: + type: object + properties: + IsPublic: + $ref: '#/components/schemas/IsPublic' + description: The policy status for this bucket. `TRUE` indicates that this + bucket is public. `FALSE` indicates that the bucket is not public. + description: The container element for a bucket's policy status. + Prefix: + type: string + Priority: + type: integer + Progress: + type: object + properties: + BytesScanned: + $ref: '#/components/schemas/BytesScanned' + description: The current number of object bytes scanned. + BytesProcessed: + $ref: '#/components/schemas/BytesProcessed' + description: The current number of uncompressed object bytes processed. + BytesReturned: + $ref: '#/components/schemas/BytesReturned' + description: The current number of bytes of records payload data returned. + description: This data type contains information about progress of an operation. + ProgressEvent: + type: object + properties: + Details: + $ref: '#/components/schemas/Progress' + description: The Progress event details. + description: This data type contains information about the progress event of + an operation. + Protocol: + type: string + enum: + - http + - https + PublicAccessBlockConfiguration: + type: object + properties: + BlockPublicAcls: + $ref: '#/components/schemas/Setting' + description: "Specifies whether Amazon S3 should block public access control\ + \ lists (ACLs) for this bucket and objects in this bucket. Setting this\ + \ element to `TRUE` causes the following behavior:\n\n * PUT Bucket ACL\ + \ and PUT Object ACL calls fail if the specified ACL is public.\n\n *\ + \ PUT Object calls fail if the request includes a public ACL.\n\n * PUT\ + \ Bucket calls fail if the request includes a public ACL.\n\nEnabling\ + \ this setting doesn't affect existing policies or ACLs." + IgnorePublicAcls: + $ref: '#/components/schemas/Setting' + description: 'Specifies whether Amazon S3 should ignore public ACLs for + this bucket and objects in this bucket. Setting this element to `TRUE` + causes Amazon S3 to ignore all public ACLs on this bucket and objects + in this bucket. + + + Enabling this setting doesn''t affect the persistence of any existing + ACLs and doesn''t prevent new public ACLs from being set.' + BlockPublicPolicy: + $ref: '#/components/schemas/Setting' + description: 'Specifies whether Amazon S3 should block public bucket policies + for this bucket. Setting this element to `TRUE` causes Amazon S3 to reject + calls to PUT Bucket policy if the specified bucket policy allows public + access. + + + Enabling this setting doesn''t affect existing bucket policies.' + RestrictPublicBuckets: + $ref: '#/components/schemas/Setting' + description: 'Specifies whether Amazon S3 should restrict public bucket + policies for this bucket. Setting this element to `TRUE` restricts access + to this bucket to only Amazon Web Services service principals and authorized + users within this account if the bucket has a public policy. + + + 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.' + description: The PublicAccessBlock configuration that you want to apply to this + Amazon S3 bucket. You can enable the configuration options in any combination. + Bucket-level settings work alongside account-level settings (which may inherit + from organization-level policies). For more information about when Amazon + S3 considers a bucket or object public, see [The Meaning of "Public"](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html#access-control-block-public-access-policy-status) + in the _Amazon S3 User Guide_. + PutBucketAbacRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the general purpose bucket. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash of the `PutBucketAbac` request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: Indicates the algorithm that you want Amazon S3 to use to create + the checksum. For more information, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The Amazon Web Services account ID of the general purpose bucket's + owner. + AbacStatus: + $ref: '#/components/schemas/AbacStatus' + description: The ABAC status of the general purpose bucket. When ABAC is + enabled for the general purpose bucket, you can use tags to manage access + to the general purpose buckets as well as for cost tracking purposes. + When ABAC is disabled for the general purpose buckets, you can only use + tags for cost tracking purposes. For more information, see [Using tags + with S3 general purpose buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/buckets-tagging.html). + required: + - Bucket + - AbacStatus + PutBucketAccelerateConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which the accelerate configuration + is set. + AccelerateConfiguration: + $ref: '#/components/schemas/AccelerateConfiguration' + description: Container for setting the transfer acceleration state. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + required: + - Bucket + - AccelerateConfiguration + PutBucketAclRequest: + type: object + properties: + ACL: + $ref: '#/components/schemas/BucketCannedACL' + description: The canned ACL to apply to the bucket. + AccessControlPolicy: + $ref: '#/components/schemas/AccessControlPolicy' + description: Contains the elements that set the ACL permissions for an object + per grantee. + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket to which to apply the ACL. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. This + header must be used as a message integrity check to verify that the request + body was not corrupted in transit. For more information, go to [RFC 1864.](http://www.ietf.org/rfc/rfc1864.txt) + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + GrantFullControl: + $ref: '#/components/schemas/GrantFullControl' + description: Allows grantee the read, write, read ACP, and write ACP permissions + on the bucket. + GrantRead: + $ref: '#/components/schemas/GrantRead' + description: Allows grantee to list the objects in the bucket. + GrantReadACP: + $ref: '#/components/schemas/GrantReadACP' + description: Allows grantee to read the bucket ACL. + GrantWrite: + $ref: '#/components/schemas/GrantWrite' + description: 'Allows grantee to create new objects in the bucket. + + + For the bucket and object owners of existing objects, also allows deletions + and overwrites of those objects.' + GrantWriteACP: + $ref: '#/components/schemas/GrantWriteACP' + description: Allows grantee to write the ACL for the applicable bucket. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + PutBucketAnalyticsConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket to which an analytics configuration + is stored. + Id: + $ref: '#/components/schemas/AnalyticsId' + description: The ID that identifies the analytics configuration. + AnalyticsConfiguration: + $ref: '#/components/schemas/AnalyticsConfiguration' + description: The configuration and any analyses for the analytics filter. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + - AnalyticsConfiguration + PutBucketCorsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: Specifies the bucket impacted by the `cors`configuration. + CORSConfiguration: + $ref: '#/components/schemas/CORSConfiguration' + description: Describes the cross-origin access configuration for objects + in an Amazon S3 bucket. For more information, see [Enabling Cross-Origin + Resource Sharing](https://docs.aws.amazon.com/AmazonS3/latest/dev/cors.html) + in the _Amazon S3 User Guide_. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. This + header must be used as a message integrity check to verify that the request + body was not corrupted in transit. For more information, go to [RFC 1864.](http://www.ietf.org/rfc/rfc1864.txt) + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - CORSConfiguration + PutBucketEncryptionRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'Specifies default encryption for a bucket using server-side + encryption with different key options. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the server-side + encryption configuration. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically. + + + This functionality is not supported for directory buckets.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter. + + + For directory buckets, when you use Amazon Web Services SDKs, `CRC32` + is the default checksum algorithm that''s used for performance.' + ServerSideEncryptionConfiguration: + $ref: '#/components/schemas/ServerSideEncryptionConfiguration' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + - ServerSideEncryptionConfiguration + PutBucketIntelligentTieringConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose configuration you want + to modify or retrieve. + Id: + $ref: '#/components/schemas/IntelligentTieringId' + description: The ID used to identify the S3 Intelligent-Tiering configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + IntelligentTieringConfiguration: + $ref: '#/components/schemas/IntelligentTieringConfiguration' + description: Container for S3 Intelligent-Tiering configuration. + required: + - Bucket + - Id + - IntelligentTieringConfiguration + PutBucketInventoryConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket where the inventory configuration will + be stored. + Id: + $ref: '#/components/schemas/InventoryId' + description: The ID used to identify the inventory configuration. + InventoryConfiguration: + $ref: '#/components/schemas/InventoryConfiguration' + description: Specifies the inventory configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + - InventoryConfiguration + PutBucketLifecycleConfigurationOutput: + type: object + properties: + TransitionDefaultMinimumObjectSize: + $ref: '#/components/schemas/TransitionDefaultMinimumObjectSize' + description: "Indicates which default minimum object size behavior is applied\ + \ to the lifecycle configuration.\n\nThis parameter applies to general\ + \ purpose buckets only. It is not supported for directory bucket lifecycle\ + \ configurations.\n\n * `all_storage_classes_128K` \\- Objects smaller\ + \ than 128 KB will not transition to any storage class by default. \n\n\ + \ * `varies_by_storage_class` \\- Objects smaller than 128 KB will transition\ + \ to Glacier Flexible Retrieval or Glacier Deep Archive storage classes.\ + \ By default, all other storage classes will prevent transitions smaller\ + \ than 128 KB. \n\nTo customize the minimum object size for any transition\ + \ you can add a filter that specifies a custom `ObjectSizeGreaterThan`\ + \ or `ObjectSizeLessThan` in the body of your transition rule. Custom\ + \ filters always take precedence over the default transition behavior." + PutBucketLifecycleConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which to set the configuration. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + LifecycleConfiguration: + $ref: '#/components/schemas/BucketLifecycleConfiguration' + description: Container for lifecycle rules. You can add as many as 1,000 + rules. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + This parameter applies to general purpose buckets only. It is not supported + for directory bucket lifecycle configurations.' + TransitionDefaultMinimumObjectSize: + $ref: '#/components/schemas/TransitionDefaultMinimumObjectSize' + description: "Indicates which default minimum object size behavior is applied\ + \ to the lifecycle configuration.\n\nThis parameter applies to general\ + \ purpose buckets only. It is not supported for directory bucket lifecycle\ + \ configurations.\n\n * `all_storage_classes_128K` \\- Objects smaller\ + \ than 128 KB will not transition to any storage class by default. \n\n\ + \ * `varies_by_storage_class` \\- Objects smaller than 128 KB will transition\ + \ to Glacier Flexible Retrieval or Glacier Deep Archive storage classes.\ + \ By default, all other storage classes will prevent transitions smaller\ + \ than 128 KB. \n\nTo customize the minimum object size for any transition\ + \ you can add a filter that specifies a custom `ObjectSizeGreaterThan`\ + \ or `ObjectSizeLessThan` in the body of your transition rule. Custom\ + \ filters always take precedence over the default transition behavior." + required: + - Bucket + PutBucketLoggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which to set the logging parameters. + BucketLoggingStatus: + $ref: '#/components/schemas/BucketLoggingStatus' + description: Container for logging status information. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash of the `PutBucketLogging` request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - BucketLoggingStatus + PutBucketMetricsConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket for which the metrics configuration + is set. + Id: + $ref: '#/components/schemas/MetricsId' + description: The ID used to identify the metrics configuration. The ID has + a 64 character limit and can only contain letters, numbers, periods, dashes, + and underscores. + MetricsConfiguration: + $ref: '#/components/schemas/MetricsConfiguration' + description: Specifies the metrics configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Id + - MetricsConfiguration + PutBucketNotificationConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket. + NotificationConfiguration: + $ref: '#/components/schemas/NotificationConfiguration' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + SkipDestinationValidation: + $ref: '#/components/schemas/SkipValidation' + description: Skips validation of Amazon SQS, Amazon SNS, and Lambda destinations. + True or false value. + required: + - Bucket + - NotificationConfiguration + PutBucketOwnershipControlsRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose `OwnershipControls` + you want to set. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash of the `OwnershipControls` request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + OwnershipControls: + $ref: '#/components/schemas/OwnershipControls' + description: The `OwnershipControls` (BucketOwnerEnforced, BucketOwnerPreferred, + or ObjectWriter) that you want to apply to this Amazon S3 bucket. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum-_algorithm_ ` header sent. Otherwise, + Amazon S3 fails the request with the HTTP status code `400 Bad Request`. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + required: + - Bucket + - OwnershipControls + PutBucketPolicyRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use path-style requests in the format `https://s3express-control._region-code_.amazonaws.com/_bucket-name_ + `. Virtual-hosted-style requests aren''t supported. Directory bucket names + must be unique in the chosen Zone (Availability Zone or Local Zone). Bucket + names must also follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` + (for example, ` _DOC-EXAMPLE-BUCKET_ --_usw2-az1_ --x-s3`). For information + about bucket naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_' + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash of the request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically. + + + This functionality is not supported for directory buckets.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: "Indicates the algorithm used to create the checksum for the\ + \ request when you use the SDK. This header will not provide any additional\ + \ functionality if you don't use the SDK. When you send this header, there\ + \ must be a corresponding `x-amz-checksum-_algorithm_ ` or `x-amz-trailer`\ + \ header sent. Otherwise, Amazon S3 fails the request with the HTTP status\ + \ code `400 Bad Request`.\n\nFor the `x-amz-checksum-_algorithm_ ` header,\ + \ replace ` _algorithm_ ` with the supported algorithm from the following\ + \ list:\n\n * `CRC32`\n\n * `CRC32C`\n\n * `CRC64NVME`\n\n * `SHA1`\n\ + \n * `SHA256`\n\nFor more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the individual checksum value you\ + \ provide through `x-amz-checksum-_algorithm_ ` doesn't match the checksum\ + \ algorithm you set through `x-amz-sdk-checksum-algorithm`, Amazon S3\ + \ fails the request with a `BadDigest` error.\n\nFor directory buckets,\ + \ when you use Amazon Web Services SDKs, `CRC32` is the default checksum\ + \ algorithm that's used for performance." + ConfirmRemoveSelfBucketAccess: + $ref: '#/components/schemas/ConfirmRemoveSelfBucketAccess' + description: 'Set this parameter to true to confirm that you want to remove + your permissions to change this bucket policy in the future. + + + This functionality is not supported for directory buckets.' + Policy: + $ref: '#/components/schemas/Policy' + description: 'The bucket policy as a JSON document. + + + For directory buckets, the only IAM action supported in the bucket policy + is `s3express:CreateSession`.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: 'The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + + + For directory buckets, this header is not supported in this API operation. + If you specify this header, the request fails with the HTTP status code + `501 Not Implemented`.' + required: + - Bucket + - Policy + PutBucketReplicationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. You must + use this header as a message integrity check to verify that the request + body was not corrupted in transit. For more information, see [RFC 1864](http://www.ietf.org/rfc/rfc1864.txt). + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ReplicationConfiguration: + $ref: '#/components/schemas/ReplicationConfiguration' + Token: + $ref: '#/components/schemas/ObjectLockToken' + description: A token to allow Object Lock to be enabled for an existing + bucket. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - ReplicationConfiguration + PutBucketRequestPaymentRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. You must + use this header as a message integrity check to verify that the request + body was not corrupted in transit. For more information, see [RFC 1864](http://www.ietf.org/rfc/rfc1864.txt). + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + RequestPaymentConfiguration: + $ref: '#/components/schemas/RequestPaymentConfiguration' + description: Container for Payer. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - RequestPaymentConfiguration + PutBucketTaggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. You must + use this header as a message integrity check to verify that the request + body was not corrupted in transit. For more information, see [RFC 1864](http://www.ietf.org/rfc/rfc1864.txt). + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + Tagging: + $ref: '#/components/schemas/Tagging' + description: Container for the `TagSet` and `Tag` elements. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Tagging + PutBucketVersioningRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: '>The Base64 encoded 128-bit `MD5` digest of the data. You + must use this header as a message integrity check to verify that the request + body was not corrupted in transit. For more information, see [RFC 1864](http://www.ietf.org/rfc/rfc1864.txt). + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + MFA: + $ref: '#/components/schemas/MFA' + description: The concatenation of the authentication device's serial number, + a space, and the value that is displayed on your authentication device. + The serial number is the number that uniquely identifies the MFA device. + For physical MFA devices, this is the unique serial number that's provided + with the device. For virtual MFA devices, the serial number is the device + ARN. For more information, see [Enabling versioning on buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/manage-versioning-examples.html) + and [Configuring MFA delete](https://docs.aws.amazon.com/AmazonS3/latest/userguide/MultiFactorAuthenticationDelete.html) + in the _Amazon Simple Storage Service User Guide_. + VersioningConfiguration: + $ref: '#/components/schemas/VersioningConfiguration' + description: Container for setting the versioning state. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - VersioningConfiguration + PutBucketWebsiteRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket name. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. You must + use this header as a message integrity check to verify that the request + body was not corrupted in transit. For more information, see [RFC 1864](http://www.ietf.org/rfc/rfc1864.txt). + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + request when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + WebsiteConfiguration: + $ref: '#/components/schemas/WebsiteConfiguration' + description: Container for the request. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - WebsiteConfiguration + PutObjectAclOutput: + type: object + properties: + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + PutObjectAclRequest: + type: object + properties: + ACL: + $ref: '#/components/schemas/ObjectCannedACL' + description: The canned ACL to apply to the object. For more information, + see [Canned ACL](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html#CannedACL). + AccessControlPolicy: + $ref: '#/components/schemas/AccessControlPolicy' + description: Contains the elements that set the ACL permissions for an object + per grantee. + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name that contains the object to which you want + to attach the ACL. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the data. This + header must be used as a message integrity check to verify that the request + body was not corrupted in transit. For more information, go to [RFC 1864.>](http://www.ietf.org/rfc/rfc1864.txt) + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + GrantFullControl: + $ref: '#/components/schemas/GrantFullControl' + description: 'Allows grantee the read, write, read ACP, and write ACP permissions + on the bucket. + + + This functionality is not supported for Amazon S3 on Outposts.' + GrantRead: + $ref: '#/components/schemas/GrantRead' + description: 'Allows grantee to list the objects in the bucket. + + + This functionality is not supported for Amazon S3 on Outposts.' + GrantReadACP: + $ref: '#/components/schemas/GrantReadACP' + description: 'Allows grantee to read the bucket ACL. + + + This functionality is not supported for Amazon S3 on Outposts.' + GrantWrite: + $ref: '#/components/schemas/GrantWrite' + description: 'Allows grantee to create new objects in the bucket. + + + For the bucket and object owners of existing objects, also allows deletions + and overwrites of those objects.' + GrantWriteACP: + $ref: '#/components/schemas/GrantWriteACP' + description: 'Allows grantee to write the ACL for the applicable bucket. + + + This functionality is not supported for Amazon S3 on Outposts.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Key for which the PUT action was initiated. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID used to reference a specific version of the object. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + PutObjectLegalHoldOutput: + type: object + properties: + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + PutObjectLegalHoldRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object that you want to place + a legal hold on. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key name for the object that you want to place a legal + hold on. + LegalHold: + $ref: '#/components/schemas/ObjectLockLegalHold' + description: Container element for the legal hold configuration you want + to apply to the specified object. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The version ID of the object that you want to place a legal + hold on. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash for the request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + PutObjectLockConfigurationOutput: + type: object + properties: + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + PutObjectLockConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The bucket whose Object Lock configuration you want to create + or replace. + ObjectLockConfiguration: + $ref: '#/components/schemas/ObjectLockConfiguration' + description: The Object Lock configuration that you want to apply to the + specified bucket. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + Token: + $ref: '#/components/schemas/ObjectLockToken' + description: A token to allow Object Lock to be enabled for an existing + bucket. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash for the request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + PutObjectOutput: + type: object + properties: + Expiration: + $ref: '#/components/schemas/Expiration' + description: 'If the expiration is configured for the object (see [PutBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html)) + in the _Amazon S3 User Guide_ , the response includes this header. It + includes the `expiry-date` and `rule-id` key-value pairs that provide + information about object expiration. The value of the `rule-id` is URL-encoded. + + + Object expiration information is not returned in directory buckets and + this header returns the value "`NotImplemented`" in all responses for + directory buckets.' + ETag: + $ref: '#/components/schemas/ETag' + description: 'Entity tag for the uploaded object. + + + **General purpose buckets** \- To ensure that data is not corrupted traversing + the network, for objects where the ETag is the MD5 digest of the object, + you can calculate the MD5 while putting an object to Amazon S3 and compare + the returned ETag to the calculated MD5 value. + + + **Directory buckets** \- The ETag for the object in a directory bucket + isn''t the MD5 digest of the object.' + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32 checksum` of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: The Base64 encoded, 64-bit `CRC64NVME` checksum of the object. + This header is present if the object was uploaded with the `CRC64NVME` + checksum algorithm, or if it was uploaded without a checksum (and Amazon + S3 added the default checksum, `CRC64NVME`, to the uploaded object). For + more information about how checksums are calculated with multipart uploads, + see [Checking object integrity in the Amazon S3 User Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + When you use the API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumType: + $ref: '#/components/schemas/ChecksumType' + description: This header specifies the checksum type of the object, which + determines how part-level checksums are combined to create an object-level + checksum for multipart objects. For `PutObject` uploads, the checksum + type is always `FULL_OBJECT`. You can use this header as a data integrity + check to verify that the checksum type that is received is the same checksum + that was specified. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: 'Version ID of the object. + + + If you enable versioning for a bucket, Amazon S3 automatically generates + a unique version ID for the object being stored. Amazon S3 returns this + ID in the response. When you enable versioning for a bucket, if Amazon + S3 receives multiple write requests for the same object simultaneously, + it stores all of the objects. For more information about versioning, see + [Adding Objects to Versioning-Enabled Buckets](https://docs.aws.amazon.com/AmazonS3/latest/dev/AddingObjectstoVersioningEnabledBuckets.html) + in the _Amazon S3 User Guide_. For information about returning the versioning + state of a bucket, see [GetBucketVersioning](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketVersioning.html). + + + This functionality is not supported for directory buckets.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: If present, indicates the Amazon Web Services KMS Encryption + Context to use for object encryption. The value of this header is a Base64 + encoded string of a UTF-8 encoded JSON, which contains the encryption + context as key-value pairs. This value is stored as object metadata and + automatically gets passed on to Amazon Web Services KMS for future `GetObject` + operations on this object. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the uploaded object uses an S3 Bucket Key + for server-side encryption with Key Management Service (KMS) keys (SSE-KMS). + Size: + $ref: '#/components/schemas/Size' + description: 'The size of the object in bytes. This value is only be present + if you append to an object. + + + This functionality is only supported for objects in the Amazon S3 Express + One Zone storage class in directory buckets.' + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + PutObjectRequest: + type: object + properties: + ACL: + $ref: '#/components/schemas/ObjectCannedACL' + description: "The canned ACL to apply to the object. For more information,\ + \ see [Canned ACL](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html#CannedACL)\ + \ in the _Amazon S3 User Guide_.\n\nWhen adding a new object, you can\ + \ use headers to grant ACL-based permissions to individual Amazon Web\ + \ Services accounts or to predefined groups defined by Amazon S3. These\ + \ permissions are then added to the ACL on the object. By default, all\ + \ objects are private. Only the owner has full access control. For more\ + \ information, see [Access Control List (ACL) Overview](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-overview.html)\ + \ and [Managing ACLs Using the REST API](https://docs.aws.amazon.com/AmazonS3/latest/dev/acl-using-rest-api.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the bucket that you're uploading\ + \ objects to uses the bucket owner enforced setting for S3 Object Ownership,\ + \ ACLs are disabled and no longer affect permissions. Buckets that use\ + \ this setting only accept PUT requests that don't specify an ACL or PUT\ + \ requests that specify bucket owner full control ACLs, such as the `bucket-owner-full-control`\ + \ canned ACL or an equivalent form of this ACL expressed in the XML format.\ + \ PUT requests that contain other ACLs (for example, custom grants to\ + \ certain Amazon Web Services accounts) fail and return a `400` error\ + \ with the error code `AccessControlListNotSupported`. For more information,\ + \ see [ Controlling ownership of objects and disabling ACLs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html)\ + \ in the _Amazon S3 User Guide_.\n\n * This functionality is not supported\ + \ for directory buckets.\n\n * This functionality is not supported for\ + \ Amazon S3 on Outposts." + Body: + $ref: '#/components/schemas/StreamingBlob' + description: Object data. + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name to which the PUT action was initiated. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + CacheControl: + $ref: '#/components/schemas/CacheControl' + description: Can be used to specify caching behavior along the request/reply + chain. For more information, see . + ContentDisposition: + $ref: '#/components/schemas/ContentDisposition' + description: Specifies presentational information for the object. For more + information, see . + ContentEncoding: + $ref: '#/components/schemas/ContentEncoding' + description: Specifies what content encodings have been applied to the object + and thus what decoding mechanisms must be applied to obtain the media-type + referenced by the Content-Type header field. For more information, see + . + ContentLanguage: + $ref: '#/components/schemas/ContentLanguage' + description: The language the content is in. + ContentLength: + $ref: '#/components/schemas/ContentLength' + description: Size of the body in bytes. This parameter is useful when the + size of the body cannot be determined automatically. For more information, + see . + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit `MD5` digest of the message (without + the headers) according to RFC 1864. This header can be used as a message + integrity check to verify that the data is the same data that was originally + sent. Although it is optional, we recommend using the Content-MD5 mechanism + as an end-to-end integrity check. For more information about REST request + authentication, see [REST Authentication](https://docs.aws.amazon.com/AmazonS3/latest/dev/RESTAuthentication.html). + + + The `Content-MD5` or `x-amz-sdk-checksum-algorithm` header is required + for any request to upload an object with a retention period configured + using Amazon S3 Object Lock. For more information, see [Uploading objects + to an Object Lock enabled bucket ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lock-managing.html#object-lock-put-object) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + ContentType: + $ref: '#/components/schemas/ContentType' + description: A standard MIME type describing the format of the contents. + For more information, see . + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: "Indicates the algorithm used to create the checksum for the\ + \ object when you use the SDK. This header will not provide any additional\ + \ functionality if you don't use the SDK. When you send this header, there\ + \ must be a corresponding `x-amz-checksum-_algorithm_ ` or `x-amz-trailer`\ + \ header sent. Otherwise, Amazon S3 fails the request with the HTTP status\ + \ code `400 Bad Request`.\n\nFor the `x-amz-checksum-_algorithm_ ` header,\ + \ replace ` _algorithm_ ` with the supported algorithm from the following\ + \ list:\n\n * `CRC32`\n\n * `CRC32C`\n\n * `CRC64NVME`\n\n * `SHA1`\n\ + \n * `SHA256`\n\nFor more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html)\ + \ in the _Amazon S3 User Guide_.\n\nIf the individual checksum value you\ + \ provide through `x-amz-checksum-_algorithm_ ` doesn't match the checksum\ + \ algorithm you set through `x-amz-sdk-checksum-algorithm`, Amazon S3\ + \ fails the request with a `BadDigest` error.\n\nThe `Content-MD5` or\ + \ `x-amz-sdk-checksum-algorithm` header is required for any request to\ + \ upload an object with a retention period configured using Amazon S3\ + \ Object Lock. For more information, see [Uploading objects to an Object\ + \ Lock enabled bucket ](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lock-managing.html#object-lock-put-object)\ + \ in the _Amazon S3 User Guide_.\n\nFor directory buckets, when you use\ + \ Amazon Web Services SDKs, `CRC32` is the default checksum algorithm\ + \ that's used for performance." + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32` checksum of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32C` checksum of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 64-bit `CRC64NVME` checksum of the + object. The `CRC64NVME` checksum is always a full object checksum. For + more information, see [Checking object integrity in the Amazon S3 User + Guide](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html). + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 160-bit `SHA1` digest of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 256-bit `SHA256` digest of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + Expires: + $ref: '#/components/schemas/Expires' + description: The date and time at which the object is no longer cacheable. + For more information, see . + IfMatch: + $ref: '#/components/schemas/IfMatch' + description: 'Uploads the object only if the ETag (entity tag) value provided + during the WRITE operation matches the ETag of the object in S3. If the + ETag values do not match, the operation returns a `412 Precondition Failed` + error. + + + If a conflicting operation occurs during the upload S3 returns a `409 + ConditionalRequestConflict` response. On a 409 failure you should fetch + the object''s ETag and retry the upload. + + + Expects the ETag value as a string. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232), + or [Conditional requests](https://docs.aws.amazon.com/AmazonS3/latest/userguide/conditional-requests.html) + in the _Amazon S3 User Guide_.' + IfNoneMatch: + $ref: '#/components/schemas/IfNoneMatch' + description: 'Uploads the object only if the object key name does not already + exist in the bucket specified. Otherwise, Amazon S3 returns a `412 Precondition + Failed` error. + + + If a conflicting operation occurs during the upload S3 returns a `409 + ConditionalRequestConflict` response. On a 409 failure you should retry + the upload. + + + Expects the ''*'' (asterisk) character. + + + For more information about conditional requests, see [RFC 7232](https://tools.ietf.org/html/rfc7232), + or [Conditional requests](https://docs.aws.amazon.com/AmazonS3/latest/userguide/conditional-requests.html) + in the _Amazon S3 User Guide_.' + GrantFullControl: + $ref: '#/components/schemas/GrantFullControl' + description: "Gives the grantee READ, READ_ACP, and WRITE_ACP permissions\ + \ on the object.\n\n * This functionality is not supported for directory\ + \ buckets.\n\n * This functionality is not supported for Amazon S3 on\ + \ Outposts." + GrantRead: + $ref: '#/components/schemas/GrantRead' + description: "Allows grantee to read the object data and its metadata.\n\ + \n * This functionality is not supported for directory buckets.\n\n \ + \ * This functionality is not supported for Amazon S3 on Outposts." + GrantReadACP: + $ref: '#/components/schemas/GrantReadACP' + description: "Allows grantee to read the object ACL.\n\n * This functionality\ + \ is not supported for directory buckets.\n\n * This functionality is\ + \ not supported for Amazon S3 on Outposts." + GrantWriteACP: + $ref: '#/components/schemas/GrantWriteACP' + description: "Allows grantee to write the ACL for the applicable object.\n\ + \n * This functionality is not supported for directory buckets.\n\n \ + \ * This functionality is not supported for Amazon S3 on Outposts." + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the PUT action was initiated. + WriteOffsetBytes: + $ref: '#/components/schemas/WriteOffsetBytes' + description: 'Specifies the offset for appending data to existing objects + in bytes. The offset must be equal to the size of the existing object + being appended to. If no object exists, setting this header to 0 will + create a new object. + + + This functionality is only supported for objects in the Amazon S3 Express + One Zone storage class in directory buckets.' + Metadata: + $ref: '#/components/schemas/Metadata' + description: A map of metadata to store with the object in S3. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: "The server-side encryption algorithm that was used when you\ + \ store this object in Amazon S3 or Amazon FSx.\n\n * **General purpose\ + \ buckets** \\- You have four mutually exclusive options to protect data\ + \ using server-side encryption in Amazon S3, depending on how you choose\ + \ to manage the encryption keys. Specifically, the encryption key options\ + \ are Amazon S3 managed keys (SSE-S3), Amazon Web Services KMS keys (SSE-KMS\ + \ or DSSE-KMS), and customer-provided keys (SSE-C). Amazon S3 encrypts\ + \ data with server-side encryption by using Amazon S3 managed keys (SSE-S3)\ + \ by default. You can optionally tell Amazon S3 to encrypt data at rest\ + \ by using server-side encryption with other key options. For more information,\ + \ see [Using Server-Side Encryption](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingServerSideEncryption.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- For\ + \ directory buckets, there are only two supported options for server-side\ + \ encryption: server-side encryption with Amazon S3 managed keys (SSE-S3)\ + \ (`AES256`) and server-side encryption with KMS keys (SSE-KMS) (`aws:kms`).\ + \ We recommend that the bucket's default encryption uses the desired encryption\ + \ configuration and you don't override the bucket default encryption in\ + \ your `CreateSession` requests or `PUT` object requests. Then, new objects\ + \ are automatically encrypted with the desired encryption settings. For\ + \ more information, see [Protecting data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html)\ + \ in the _Amazon S3 User Guide_. For more information about the encryption\ + \ overriding behaviors in directory buckets, see [Specifying server-side\ + \ encryption with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html).\ + \ \n\nIn the Zonal endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html))\ + \ using the REST API, the encryption request headers must match the encryption\ + \ settings that are specified in the `CreateSession` request. You can't\ + \ override the values of the encryption settings (`x-amz-server-side-encryption`,\ + \ `x-amz-server-side-encryption-aws-kms-key-id`, `x-amz-server-side-encryption-context`,\ + \ and `x-amz-server-side-encryption-bucket-key-enabled`) that are specified\ + \ in the `CreateSession` request. You don't need to explicitly specify\ + \ these encryption settings values in Zonal endpoint API calls, and Amazon\ + \ S3 will use the encryption settings values from the `CreateSession`\ + \ request to protect new objects in the directory bucket.\n\nWhen you\ + \ use the CLI or the Amazon Web Services SDKs, for `CreateSession`, the\ + \ session token refreshes automatically to avoid service interruptions\ + \ when a session expires. The CLI or the Amazon Web Services SDKs use\ + \ the bucket's default encryption configuration for the `CreateSession`\ + \ request. It's not supported to override the encryption settings values\ + \ in the `CreateSession` request. So in the Zonal endpoint API calls (except\ + \ [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html)\ + \ and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)),\ + \ the encryption request headers must match the default encryption configuration\ + \ of the directory bucket.\n\n * **S3 access points for Amazon FSx**\ + \ \\- When accessing data stored in Amazon FSx file systems using S3 access\ + \ points, the only valid server side encryption option is `aws:fsx`. All\ + \ Amazon FSx file systems have encryption configured by default and are\ + \ encrypted at rest. Data is automatically encrypted before being written\ + \ to the file system, and automatically decrypted as it is read. These\ + \ processes are handled transparently by Amazon FSx." + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: "By default, Amazon S3 uses the STANDARD Storage Class to store\ + \ newly created objects. The STANDARD storage class provides high durability\ + \ and high availability. Depending on performance needs, you can specify\ + \ a different Storage Class. For more information, see [Storage Classes](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html)\ + \ in the _Amazon S3 User Guide_.\n\n * Directory buckets only support\ + \ `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) in Availability\ + \ Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access storage class)\ + \ in Dedicated Local Zones.\n\n * Amazon S3 on Outposts only uses the\ + \ OUTPOSTS Storage Class." + WebsiteRedirectLocation: + $ref: '#/components/schemas/WebsiteRedirectLocation' + description: 'If the bucket is configured as a website, redirects requests + for this object to another object in the same bucket or to an external + URL. Amazon S3 stores the value of this header in the object metadata. + For information about object metadata, see [Object Key and Metadata](https://docs.aws.amazon.com/AmazonS3/latest/dev/UsingMetadata.html) + in the _Amazon S3 User Guide_. + + + In the following example, the request header sets the redirect to an object + (anotherPage.html) in the same bucket: + + + `x-amz-website-redirect-location: /anotherPage.html` + + + In the following example, the request header sets the object redirect + to another website: + + + `x-amz-website-redirect-location: http://www.example.com/` + + + For more information about website hosting in Amazon S3, see [Hosting + Websites on Amazon S3](https://docs.aws.amazon.com/AmazonS3/latest/dev/WebsiteHosting.html) + and [How to Configure Website Page Redirects](https://docs.aws.amazon.com/AmazonS3/latest/dev/how-to-page-redirect.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, `AES256`). + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded; Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm` + header. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: 'Specifies the KMS key ID (Key ID, Key ARN, or Key Alias) to + use for object encryption. If the KMS key doesn''t exist in the same account + that''s issuing the command, you must use the full Key ARN not the Key + ID. + + + **General purpose buckets** \- If you specify `x-amz-server-side-encryption` + with `aws:kms` or `aws:kms:dsse`, this header specifies the ID (Key ID, + Key ARN, or Key Alias) of the KMS key to use. If you specify `x-amz-server-side-encryption:aws:kms` + or `x-amz-server-side-encryption:aws:kms:dsse`, but do not provide `x-amz-server-side-encryption-aws-kms-key-id`, + Amazon S3 uses the Amazon Web Services managed key (`aws/s3`) to protect + the data. + + + **Directory buckets** \- To encrypt data using SSE-KMS, it''s recommended + to specify the `x-amz-server-side-encryption` header to `aws:kms`. Then, + the `x-amz-server-side-encryption-aws-kms-key-id` header implicitly uses + the bucket''s default KMS customer managed key ID. If you want to explicitly + set the ` x-amz-server-side-encryption-aws-kms-key-id` header, it must + match the bucket''s default customer managed key (using key ID or ARN, + not alias). Your SSE-KMS configuration can only support 1 [customer managed + key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk) + per directory bucket''s lifetime. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk) + (`aws/s3`) isn''t supported. Incorrect key specification results in an + HTTP `400 Bad Request` error.' + SSEKMSEncryptionContext: + $ref: '#/components/schemas/SSEKMSEncryptionContext' + description: 'Specifies the Amazon Web Services KMS Encryption Context as + an additional encryption context to use for object encryption. The value + of this header is a Base64 encoded string of a UTF-8 encoded JSON, which + contains the encryption context as key-value pairs. This value is stored + as object metadata and automatically gets passed on to Amazon Web Services + KMS for future `GetObject` operations on this object. + + + **General purpose buckets** \- This value must be explicitly added during + `CopyObject` operations if you want an additional encryption context for + your object. For more information, see [Encryption context](https://docs.aws.amazon.com/AmazonS3/latest/userguide/UsingKMSEncryption.html#encryption-context) + in the _Amazon S3 User Guide_. + + + **Directory buckets** \- You can optionally provide an explicit encryption + context value. The value must match the default encryption context - the + bucket Amazon Resource Name (ARN). An additional encryption context value + is not supported.' + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: 'Specifies whether Amazon S3 should use an S3 Bucket Key for + object encryption with server-side encryption using Key Management Service + (KMS) keys (SSE-KMS). + + + **General purpose buckets** \- Setting this header to `true` causes Amazon + S3 to use an S3 Bucket Key for object encryption with SSE-KMS. Also, specifying + this header with a PUT action doesn''t affect bucket-level settings for + S3 Bucket Key. + + + **Directory buckets** \- S3 Bucket Keys are always enabled for `GET` and + `PUT` operations in a directory bucket and can’t be disabled. S3 Bucket + Keys aren''t supported, when you copy SSE-KMS encrypted objects from general + purpose buckets to directory buckets, from directory buckets to general + purpose buckets, or between directory buckets, through [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html), + [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html), + [the Copy operation in Batch Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-objects-Batch-Ops), + or [the import jobs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/create-import-job). + In this case, Amazon S3 makes a call to KMS every time a copy request + is made for a KMS-encrypted object.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + Tagging: + $ref: '#/components/schemas/TaggingHeader' + description: 'The tag-set for the object. The tag-set must be encoded as + URL Query parameters. (For example, "Key1=Value1") + + + This functionality is not supported for directory buckets.' + ObjectLockMode: + $ref: '#/components/schemas/ObjectLockMode' + description: 'The Object Lock mode that you want to apply to this object. + + + This functionality is not supported for directory buckets.' + ObjectLockRetainUntilDate: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + description: 'The date and time when you want this object''s Object Lock + to expire. Must be formatted as a timestamp parameter. + + + This functionality is not supported for directory buckets.' + ObjectLockLegalHoldStatus: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: 'Specifies whether a legal hold will be applied to this object. + For more information about S3 Object Lock, see [Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + PutObjectRetentionOutput: + type: object + properties: + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + PutObjectRetentionRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name that contains the object you want to apply + this Object Retention configuration to. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: The key name for the object that you want to apply this Object + Retention configuration to. + Retention: + $ref: '#/components/schemas/ObjectLockRetention' + description: The container element for the Object Retention configuration. + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The version ID for the object that you want to apply this Object + Retention configuration to. + BypassGovernanceRetention: + $ref: '#/components/schemas/BypassGovernanceRetention' + description: Indicates whether this action should bypass Governance-mode + restrictions. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash for the request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + PutObjectTaggingOutput: + type: object + properties: + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The versionId of the object the tag-set was added to. + PutObjectTaggingRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Name of the object key. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: The versionId of the object that the tag-set will be added + to. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash for the request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + Tagging: + $ref: '#/components/schemas/Tagging' + description: Container for the `TagSet` and `Tag` elements + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + description: Confirms that the requester knows that she or he will be charged + for the tagging object request. Bucket owners need not specify this parameter + in their requests. + required: + - Bucket + - Key + - Tagging + PutPublicAccessBlockRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The name of the Amazon S3 bucket whose `PublicAccessBlock` + configuration you want to set. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The MD5 hash of the `PutPublicAccessBlock` request body. + + + For requests made using the Amazon Web Services Command Line Interface + (CLI) or Amazon Web Services SDKs, this field is calculated automatically.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + PublicAccessBlockConfiguration: + $ref: '#/components/schemas/PublicAccessBlockConfiguration' + description: The `PublicAccessBlock` configuration that you want to apply + to this Amazon S3 bucket. You can enable the configuration options in + any combination. For more information about when Amazon S3 considers a + bucket or object public, see [The Meaning of "Public"](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html#access-control-block-public-access-policy-status) + in the _Amazon S3 User Guide_. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - PublicAccessBlockConfiguration + QueueArn: + type: string + QueueConfiguration: + type: object + properties: + Id: + $ref: '#/components/schemas/NotificationId' + QueueArn: + $ref: '#/components/schemas/QueueArn' + description: The Amazon Resource Name (ARN) of the Amazon SQS queue to which + Amazon S3 publishes a message when it detects events of the specified + type. + Events: + $ref: '#/components/schemas/EventList' + description: A collection of bucket events for which to send notifications + Filter: + $ref: '#/components/schemas/NotificationConfigurationFilter' + required: + - QueueArn + - Events + description: Specifies the configuration for publishing messages to an Amazon + Simple Queue Service (Amazon SQS) queue when Amazon S3 detects specified events. + QueueConfigurationList: + type: array + items: + $ref: '#/components/schemas/QueueConfiguration' + Quiet: + type: boolean + QuoteCharacter: + type: string + QuoteEscapeCharacter: + type: string + QuoteFields: + type: string + enum: + - ALWAYS + - ASNEEDED + Range: + type: string + RecordDelimiter: + type: string + RecordExpiration: + type: object + properties: + Expiration: + $ref: '#/components/schemas/ExpirationState' + description: Specifies whether journal table record expiration is enabled + or disabled. + Days: + $ref: '#/components/schemas/RecordExpirationDays' + description: If you enable journal table record expiration, you can set + the number of days to retain your journal table records. Journal table + records must be retained for a minimum of 7 days. To set this value, specify + any whole number from `7` to `2147483647`. For example, to retain your + journal table records for one year, set this value to `365`. + required: + - Expiration + description: The journal table record expiration settings for a journal table + in an S3 Metadata configuration. + RecordExpirationDays: + type: integer + RecordsEvent: + type: object + properties: + Payload: + $ref: '#/components/schemas/Body' + description: The byte array of partial, one or more result records. S3 Select + doesn't guarantee that a record will be self-contained in one record frame. + To ensure continuous streaming of data, S3 Select might split the same + record across multiple record frames instead of aggregating the results + in memory. Some S3 clients (for example, the SDK for Java) handle this + behavior by creating a `ByteStream` out of the response by default. Other + clients might not handle this behavior by default. In those cases, you + must aggregate the results on the client side and parse the response. + description: The container for the records event. + Redirect: + type: object + properties: + HostName: + $ref: '#/components/schemas/HostName' + description: The host name to use in the redirect request. + HttpRedirectCode: + $ref: '#/components/schemas/HttpRedirectCode' + description: The HTTP redirect code to use on the response. Not required + if one of the siblings is present. + Protocol: + $ref: '#/components/schemas/Protocol' + description: Protocol to use when redirecting requests. The default is the + protocol that is used in the original request. + ReplaceKeyPrefixWith: + $ref: '#/components/schemas/ReplaceKeyPrefixWith' + description: 'The object key prefix to use in the redirect request. For + example, to redirect requests for all pages with prefix `docs/` (objects + in the `docs/` folder) to `documents/`, you can set a condition block + with `KeyPrefixEquals` set to `docs/` and in the Redirect set `ReplaceKeyPrefixWith` + to `/documents`. Not required if one of the siblings is present. Can be + present only if `ReplaceKeyWith` is not provided. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + ReplaceKeyWith: + $ref: '#/components/schemas/ReplaceKeyWith' + description: 'The specific object key to use in the redirect request. For + example, redirect request to `error.html`. Not required if one of the + siblings is present. Can be present only if `ReplaceKeyPrefixWith` is + not provided. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + description: Specifies how requests are redirected. In the event of an error, + you can specify a different error code to return. + RedirectAllRequestsTo: + type: object + properties: + HostName: + $ref: '#/components/schemas/HostName' + description: Name of the host where requests are redirected. + Protocol: + $ref: '#/components/schemas/Protocol' + description: Protocol to use when redirecting requests. The default is the + protocol that is used in the original request. + required: + - HostName + description: Specifies the redirect behavior of all requests to a website endpoint + of an Amazon S3 bucket. + Region: + type: string + minLength: 0 + maxLength: 20 + RenameObjectOutput: + type: object + properties: {} + RenameObjectRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name of the directory bucket containing the object. + + + You must use virtual-hosted-style requests in the format `Bucket-name.s3express-zone-id.region-code.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Availability Zone. Bucket names must follow the format + `bucket-base-name--zone-id--x-s3 ` (for example, `amzn-s3-demo-bucket--usw2-az1--x-s3`). + For information about bucket naming restrictions, see [Directory bucket + naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Key name of the object to rename. + RenameSource: + $ref: '#/components/schemas/RenameSource' + description: Specifies the source for the rename operation. The value must + be URL encoded. + DestinationIfMatch: + $ref: '#/components/schemas/IfMatch' + description: 'Renames the object only if the ETag (entity tag) value provided + during the operation matches the ETag of the object in S3. The `If-Match` + header field makes the request method conditional on ETags. If the ETag + values do not match, the operation returns a `412 Precondition Failed` + error. + + + Expects the ETag value as a string.' + DestinationIfNoneMatch: + $ref: '#/components/schemas/IfNoneMatch' + description: 'Renames the object only if the destination does not already + exist in the specified directory bucket. If the object does exist when + you send a request with `If-None-Match:*`, the S3 API will return a `412 + Precondition Failed` error, preventing an overwrite. The `If-None-Match` + header prevents overwrites of existing data by validating that there''s + not an object with the same key name already in your directory bucket. + + + Expects the `*` character (asterisk).' + DestinationIfModifiedSince: + $ref: '#/components/schemas/IfModifiedSince' + description: Renames the object if the destination exists and if it has + been modified since the specified time. + DestinationIfUnmodifiedSince: + $ref: '#/components/schemas/IfUnmodifiedSince' + description: Renames the object if it hasn't been modified since the specified + time. + SourceIfMatch: + $ref: '#/components/schemas/RenameSourceIfMatch' + description: Renames the object if the source exists and if its entity tag + (ETag) matches the specified ETag. + SourceIfNoneMatch: + $ref: '#/components/schemas/RenameSourceIfNoneMatch' + description: Renames the object if the source exists and if its entity tag + (ETag) is different than the specified ETag. If an asterisk (`*`) character + is provided, the operation will fail and return a `412 Precondition Failed` + error. + SourceIfModifiedSince: + $ref: '#/components/schemas/RenameSourceIfModifiedSince' + description: Renames the object if the source exists and if it has been + modified since the specified time. + SourceIfUnmodifiedSince: + $ref: '#/components/schemas/RenameSourceIfUnmodifiedSince' + description: Renames the object if the source exists and hasn't been modified + since the specified time. + ClientToken: + $ref: '#/components/schemas/ClientToken' + description: 'A unique string with a max of 64 ASCII characters in the ASCII + range of 33 - 126. + + + `RenameObject` supports idempotency using a client token. To make an idempotent + API request using `RenameObject`, specify a client token in the request. + You should not reuse the same client token for other API requests. If + you retry a request that completed successfully using the same client + token and the same parameters, the retry succeeds without performing any + further actions. If you retry a successful request using the same client + token, but one or more of the parameters are different, the retry fails + and an `IdempotentParameterMismatch` error is returned.' + required: + - Bucket + - Key + - RenameSource + RenameSource: + type: string + pattern: ^\/?.+\/.+$ + RenameSourceIfMatch: + type: string + RenameSourceIfModifiedSince: + type: string + format: date-time + RenameSourceIfNoneMatch: + type: string + RenameSourceIfUnmodifiedSince: + type: string + format: date-time + ReplaceKeyPrefixWith: + type: string + ReplaceKeyWith: + type: string + ReplicaKmsKeyID: + type: string + ReplicaModifications: + type: object + properties: + Status: + $ref: '#/components/schemas/ReplicaModificationsStatus' + description: Specifies whether Amazon S3 replicates modifications on replicas. + required: + - Status + description: 'A filter that you can specify for selection for modifications + on replicas. Amazon S3 doesn''t replicate replica modifications by default. + In the latest version of replication configuration (when `Filter` is specified), + you can specify this element and set the status to `Enabled` to replicate + modifications on replicas. + + + If you don''t specify the `Filter` element, Amazon S3 assumes that the replication + configuration is the earlier version, V1. In the earlier version, this element + is not allowed.' + ReplicaModificationsStatus: + type: string + enum: + - Enabled + - Disabled + ReplicationConfiguration: + type: object + properties: + Role: + $ref: '#/components/schemas/Role' + description: The Amazon Resource Name (ARN) of the Identity and Access Management + (IAM) role that Amazon S3 assumes when replicating objects. For more information, + see [How to Set Up Replication](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication-how-setup.html) + in the _Amazon S3 User Guide_. + Rules: + $ref: '#/components/schemas/ReplicationRules' + description: A container for one or more replication rules. A replication + configuration must have at least one rule and can contain a maximum of + 1,000 rules. + required: + - Role + - Rules + description: A container for replication rules. You can add up to 1,000 rules. + The maximum size of a replication configuration is 2 MB. + ReplicationRule: + type: object + properties: + ID: + $ref: '#/components/schemas/ID' + description: A unique identifier for the rule. The maximum value is 255 + characters. + Priority: + $ref: '#/components/schemas/Priority' + description: 'The priority indicates which rule has precedence whenever + two or more replication rules conflict. Amazon S3 will attempt to replicate + objects according to all replication rules. However, if there are two + or more rules with the same destination bucket, then objects will be replicated + according to the rule with the highest priority. The higher the number, + the higher the priority. + + + For more information, see [Replication](https://docs.aws.amazon.com/AmazonS3/latest/dev/replication.html) + in the _Amazon S3 User Guide_.' + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'An object key name prefix that identifies the object or objects + to which the rule applies. The maximum prefix length is 1,024 characters. + To include all objects in a bucket, specify an empty string. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + Filter: + $ref: '#/components/schemas/ReplicationRuleFilter' + Status: + $ref: '#/components/schemas/ReplicationRuleStatus' + description: Specifies whether the rule is enabled. + SourceSelectionCriteria: + $ref: '#/components/schemas/SourceSelectionCriteria' + description: A container that describes additional filters for identifying + the source objects that you want to replicate. You can choose to enable + or disable the replication of these objects. Currently, Amazon S3 supports + only the filter that you can specify for objects created with server-side + encryption using a customer managed key stored in Amazon Web Services + Key Management Service (SSE-KMS). + ExistingObjectReplication: + $ref: '#/components/schemas/ExistingObjectReplication' + description: 'Optional configuration to replicate existing source bucket + objects. + + + This parameter is no longer supported. To replicate existing objects, + see [Replicating existing objects with S3 Batch Replication](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-batch-replication-batch.html) + in the _Amazon S3 User Guide_.' + Destination: + $ref: '#/components/schemas/Destination' + description: A container for information about the replication destination + and its configurations including enabling the S3 Replication Time Control + (S3 RTC). + DeleteMarkerReplication: + $ref: '#/components/schemas/DeleteMarkerReplication' + required: + - Status + - Destination + description: Specifies which Amazon S3 objects to replicate and where to store + the replicas. + ReplicationRuleAndOperator: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: An object key name prefix that identifies the subset of objects + to which the rule applies. + Tags: + $ref: '#/components/schemas/TagSet' + description: An array of tags containing key and value pairs. + description: "A container for specifying rule filters. The filters determine\ + \ the subset of objects to which the rule applies. This element is required\ + \ only if you specify more than one filter.\n\nFor example:\n\n * If you\ + \ specify both a `Prefix` and a `Tag` filter, wrap these filters in an `And`\ + \ tag. \n\n * If you specify a filter based on multiple tags, wrap the `Tag`\ + \ elements in an `And` tag." + ReplicationRuleFilter: + type: object + properties: + Prefix: + $ref: '#/components/schemas/Prefix' + description: 'An object key name prefix that identifies the subset of objects + to which the rule applies. + + + Replacement must be made for object keys containing special characters + (such as carriage returns) when using XML requests. For more information, + see [ XML related object key constraints](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-keys.html#object-key-xml-related-constraints).' + Tag: + $ref: '#/components/schemas/Tag' + description: 'A container for specifying a tag key and value. + + + The rule applies only to objects that have the tag in their tag set.' + And: + $ref: '#/components/schemas/ReplicationRuleAndOperator' + description: "A container for specifying rule filters. The filters determine\ + \ the subset of objects to which the rule applies. This element is required\ + \ only if you specify more than one filter. For example:\n\n * If you\ + \ specify both a `Prefix` and a `Tag` filter, wrap these filters in an\ + \ `And` tag.\n\n * If you specify a filter based on multiple tags, wrap\ + \ the `Tag` elements in an `And` tag." + description: A filter that identifies the subset of objects to which the replication + rule applies. A `Filter` must specify exactly one `Prefix`, `Tag`, or an `And` + child element. + ReplicationRuleStatus: + type: string + enum: + - Enabled + - Disabled + ReplicationRules: + type: array + items: + $ref: '#/components/schemas/ReplicationRule' + ReplicationStatus: + type: string + enum: + - COMPLETE + - PENDING + - FAILED + - REPLICA + - COMPLETED + ReplicationTime: + type: object + properties: + Status: + $ref: '#/components/schemas/ReplicationTimeStatus' + description: Specifies whether the replication time is enabled. + Time: + $ref: '#/components/schemas/ReplicationTimeValue' + description: A container specifying the time by which replication should + be complete for all objects and operations on objects. + required: + - Status + - Time + description: A container specifying S3 Replication Time Control (S3 RTC) related + information, including whether S3 RTC is enabled and the time when all objects + and operations on objects must be replicated. Must be specified together with + a `Metrics` block. + ReplicationTimeStatus: + type: string + enum: + - Enabled + - Disabled + ReplicationTimeValue: + type: object + properties: + Minutes: + $ref: '#/components/schemas/Minutes' + description: 'Contains an integer specifying time in minutes. + + + Valid value: 15' + description: A container specifying the time value for S3 Replication Time Control + (S3 RTC) and replication metrics `EventThreshold`. + RequestCharged: + type: string + enum: + - requester + description: "

If present, indicates that the requester was successfully charged\ + \ for the request. For more\n information, see Using Requester Pays buckets for storage transfers and usage in the Amazon\ + \ Simple\n Storage Service user guide.

\n \n \ + \

This functionality is not supported for directory buckets.

\n\ + \
" + RequestPayer: + type: string + enum: + - requester + description: "

Confirms that the requester knows that they will be charged\ + \ for the request. Bucket owners need not\n specify this parameter in\ + \ their requests. If either the source or destination S3 bucket has Requester\n\ + \ Pays enabled, the requester will pay for corresponding charges to copy\ + \ the object. For information about\n downloading objects from Requester\ + \ Pays buckets, see Downloading Objects in Requester Pays\n Buckets in the Amazon\ + \ S3 User Guide.

\n \n

This functionality\ + \ is not supported for directory buckets.

\n
" + RequestPaymentConfiguration: + type: object + properties: + Payer: + $ref: '#/components/schemas/Payer' + description: Specifies who pays for the download and request fees. + required: + - Payer + description: Container for Payer. + RequestProgress: + type: object + properties: + Enabled: + $ref: '#/components/schemas/EnableRequestProgress' + description: 'Specifies whether periodic QueryProgress frames should be + sent. Valid values: TRUE, FALSE. Default value: FALSE.' + description: Container for specifying if periodic `QueryProgress` messages should + be sent. + RequestRoute: + type: string + RequestToken: + type: string + ResponseCacheControl: + type: string + ResponseContentDisposition: + type: string + ResponseContentEncoding: + type: string + ResponseContentLanguage: + type: string + ResponseContentType: + type: string + ResponseExpires: + type: string + format: date-time + Restore: + type: string + RestoreExpiryDate: + type: string + format: date-time + RestoreObjectOutput: + type: object + properties: + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + RestoreOutputPath: + $ref: '#/components/schemas/RestoreOutputPath' + description: Indicates the path in the provided S3 output location where + Select results will be restored to. + RestoreObjectRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name containing the object to restore. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the action was initiated. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: VersionId used to reference a specific version of the object. + RestoreRequest: + $ref: '#/components/schemas/RestoreRequest' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter.' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + RestoreOutputPath: + type: string + RestoreRequest: + type: object + properties: + Days: + $ref: '#/components/schemas/Days' + description: 'Lifetime of the active copy in days. Do not use with restores + that specify `OutputLocation`. + + + The Days element is required for regular restores, and must not be provided + for select requests.' + GlacierJobParameters: + $ref: '#/components/schemas/GlacierJobParameters' + description: S3 Glacier related parameters pertaining to this job. Do not + use with restores that specify `OutputLocation`. + Type: + $ref: '#/components/schemas/RestoreRequestType' + description: 'Amazon S3 Select is no longer available to new customers. + Existing customers of Amazon S3 Select can continue to use the feature + as usual. [Learn more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) + + + Type of restore request.' + Tier: + $ref: '#/components/schemas/Tier' + description: Retrieval tier at which the restore will be processed. + Description: + $ref: '#/components/schemas/Description' + description: The optional description for the job. + SelectParameters: + $ref: '#/components/schemas/SelectParameters' + description: 'Amazon S3 Select is no longer available to new customers. + Existing customers of Amazon S3 Select can continue to use the feature + as usual. [Learn more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) + + + Describes the parameters for Select job types.' + OutputLocation: + $ref: '#/components/schemas/OutputLocation' + description: Describes the location where the restore job's output is stored. + description: Container for restore job parameters. + RestoreRequestType: + type: string + enum: + - SELECT + RestoreStatus: + type: object + properties: + IsRestoreInProgress: + $ref: '#/components/schemas/IsRestoreInProgress' + description: 'Specifies whether the object is currently being restored. + If the object restoration is in progress, the header returns the value + `TRUE`. For example: + + + `x-amz-optional-object-attributes: IsRestoreInProgress="true"` + + + If the object restoration has completed, the header returns the value + `FALSE`. For example: + + + `x-amz-optional-object-attributes: IsRestoreInProgress="false", RestoreExpiryDate="2012-12-21T00:00:00.000Z"` + + + If the object hasn''t been restored, there is no header response.' + RestoreExpiryDate: + $ref: '#/components/schemas/RestoreExpiryDate' + description: 'Indicates when the restored copy will expire. This value is + populated only if the object has already been restored. For example: + + + `x-amz-optional-object-attributes: IsRestoreInProgress="false", RestoreExpiryDate="2012-12-21T00:00:00.000Z"`' + description: 'Specifies the restoration status of an object. Objects in certain + storage classes must be restored before they can be retrieved. For more information + about these storage classes and how to work with archived objects, see [ Working + with archived objects](https://docs.aws.amazon.com/AmazonS3/latest/userguide/archived-objects.html) + in the _Amazon S3 User Guide_. + + + This functionality is not supported for directory buckets. Directory buckets + only support `EXPRESS_ONEZONE` (the S3 Express One Zone storage class) in + Availability Zones and `ONEZONE_IA` (the S3 One Zone-Infrequent Access storage + class) in Dedicated Local Zones.' + Role: + type: string + RoutingRule: + type: object + properties: + Condition: + $ref: '#/components/schemas/Condition' + description: A container for describing a condition that must be met for + the specified redirect to apply. For example, 1. If request is for pages + in the `/docs` folder, redirect to the `/documents` folder. 2. If request + results in HTTP error 4xx, redirect request to another host where you + might process the error. + Redirect: + $ref: '#/components/schemas/Redirect' + description: Container for redirect information. You can redirect requests + to another host, to another page, or with another protocol. In the event + of an error, you can specify a different error code to return. + required: + - Redirect + description: Specifies the redirect behavior and when a redirect is applied. + For more information about routing rules, see [Configuring advanced conditional + redirects](https://docs.aws.amazon.com/AmazonS3/latest/dev/how-to-page-redirect.html#advanced-conditional-redirects) + in the _Amazon S3 User Guide_. + RoutingRules: + type: array + items: + $ref: '#/components/schemas/RoutingRule' + S3KeyFilter: + type: object + properties: + FilterRules: + $ref: '#/components/schemas/FilterRuleList' + description: A container for object key name prefix and suffix filtering rules. + S3Location: + type: object + properties: + BucketName: + $ref: '#/components/schemas/BucketName' + description: The name of the bucket where the restore results will be placed. + Prefix: + $ref: '#/components/schemas/LocationPrefix' + description: The prefix that is prepended to the restore results for this + request. + Encryption: + $ref: '#/components/schemas/Encryption' + CannedACL: + $ref: '#/components/schemas/ObjectCannedACL' + description: The canned ACL to apply to the restore results. + AccessControlList: + $ref: '#/components/schemas/Grants' + description: A list of grants that control access to the staged results. + Tagging: + $ref: '#/components/schemas/Tagging' + description: The tag-set that is applied to the restore results. + UserMetadata: + $ref: '#/components/schemas/UserMetadata' + description: A list of metadata to store with the restore results in S3. + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: The class of storage used to store the restore results. + required: + - BucketName + - Prefix + description: Describes an Amazon S3 location that will receive the results of + the restore request. + S3RegionalOrS3ExpressBucketArnString: + type: string + pattern: '^arn:[^:]+:(s3|s3express):' + minLength: 1 + maxLength: 128 + S3TablesArn: + type: string + S3TablesBucketArn: + type: string + S3TablesBucketType: + type: string + enum: + - aws + - customer + S3TablesDestination: + type: object + properties: + TableBucketArn: + $ref: '#/components/schemas/S3TablesBucketArn' + description: The Amazon Resource Name (ARN) for the table bucket that's + specified as the destination in the metadata table configuration. The + destination table bucket must be in the same Region and Amazon Web Services + account as the general purpose bucket. + TableName: + $ref: '#/components/schemas/S3TablesName' + description: The name for the metadata table in your metadata table configuration. + The specified metadata table name must be unique within the `aws_s3_metadata` + namespace in the destination table bucket. + required: + - TableBucketArn + - TableName + description: 'The destination information for a V1 S3 Metadata configuration. + The destination table bucket must be in the same Region and Amazon Web Services + account as the general purpose bucket. The specified metadata table name must + be unique within the `aws_s3_metadata` namespace in the destination table + bucket. + + + If you created your S3 Metadata configuration before July 15, 2025, we recommend + that you delete and re-create your configuration by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html) + so that you can expire journal table records and create a live inventory table.' + S3TablesDestinationResult: + type: object + properties: + TableBucketArn: + $ref: '#/components/schemas/S3TablesBucketArn' + description: The Amazon Resource Name (ARN) for the table bucket that's + specified as the destination in the metadata table configuration. The + destination table bucket must be in the same Region and Amazon Web Services + account as the general purpose bucket. + TableName: + $ref: '#/components/schemas/S3TablesName' + description: The name for the metadata table in your metadata table configuration. + The specified metadata table name must be unique within the `aws_s3_metadata` + namespace in the destination table bucket. + TableArn: + $ref: '#/components/schemas/S3TablesArn' + description: The Amazon Resource Name (ARN) for the metadata table in the + metadata table configuration. The specified metadata table name must be + unique within the `aws_s3_metadata` namespace in the destination table + bucket. + TableNamespace: + $ref: '#/components/schemas/S3TablesNamespace' + description: The table bucket namespace for the metadata table in your metadata + table configuration. This value is always `aws_s3_metadata`. + required: + - TableBucketArn + - TableName + - TableArn + - TableNamespace + description: 'The destination information for a V1 S3 Metadata configuration. + The destination table bucket must be in the same Region and Amazon Web Services + account as the general purpose bucket. The specified metadata table name must + be unique within the `aws_s3_metadata` namespace in the destination table + bucket. + + + If you created your S3 Metadata configuration before July 15, 2025, we recommend + that you delete and re-create your configuration by using [CreateBucketMetadataConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucketMetadataConfiguration.html) + so that you can expire journal table records and create a live inventory table.' + S3TablesName: + type: string + S3TablesNamespace: + type: string + SSECustomerAlgorithm: + type: string + SSECustomerKey: + type: string + SSECustomerKeyMD5: + type: string + SSEKMS: + type: object + properties: + KeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: Specifies the ID of the Key Management Service (KMS) symmetric + encryption customer managed key to use for encrypting inventory reports. + required: + - KeyId + description: Specifies the use of SSE-KMS to encrypt delivered inventory reports. + SSEKMSEncryptionContext: + type: string + SSEKMSKeyId: + type: string + SSES3: + type: object + properties: {} + description: Specifies the use of SSE-S3 to encrypt delivered inventory reports. + ScanRange: + type: object + properties: + Start: + $ref: '#/components/schemas/Start' + description: 'Specifies the start of the byte range. This parameter is optional. + Valid values: non-negative integers. The default value is 0. If only `start` + is supplied, it means scan from that point to the end of the file. For + example, `50` means scan from byte 50 until the end of the file.' + End: + $ref: '#/components/schemas/End' + description: 'Specifies the end of the byte range. This parameter is optional. + Valid values: non-negative integers. The default value is one less than + the size of the object being queried. If only the End parameter is supplied, + it is interpreted to mean scan the last N bytes of the file. For example, + `50` means scan the last 50 bytes.' + description: Specifies the byte range of the object to get the records from. + A record is processed when its first byte is contained by the range. This + parameter is optional, but when specified, it must not be empty. See RFC 2616, + Section 14.35.1 about how to specify the start and end of the range. + SelectObjectContentEventStream: + allOf: + - $ref: '#/components/schemas/RecordsEvent' + description: |- + The Records Event. + - $ref: '#/components/schemas/StatsEvent' + description: |- + The Stats Event. + - $ref: '#/components/schemas/ProgressEvent' + description: |- + The Progress Event. + - $ref: '#/components/schemas/ContinuationEvent' + description: |- + The Continuation Event. + - $ref: '#/components/schemas/EndEvent' + description: |- + The End Event. + description: |- + The container for selecting objects from a content event stream. + SelectObjectContentOutput: + type: object + properties: + Payload: + $ref: '#/components/schemas/SelectObjectContentEventStream' + description: The array of results. + SelectObjectContentRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The S3 bucket. + Key: + $ref: '#/components/schemas/ObjectKey' + description: The object key. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: The server-side encryption (SSE) algorithm used to encrypt + the object. This parameter is needed only when the object was created + using a checksum algorithm. For more information, see [Protecting data + using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: The server-side encryption (SSE) customer managed key. This + parameter is needed only when the object was created using a checksum + algorithm. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: The MD5 server-side encryption (SSE) customer managed key. + This parameter is needed only when the object was created using a checksum + algorithm. For more information, see [Protecting data using SSE-C keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/ServerSideEncryptionCustomerKeys.html) + in the _Amazon S3 User Guide_. + Expression: + $ref: '#/components/schemas/Expression' + description: The expression that is used to query the object. + ExpressionType: + $ref: '#/components/schemas/ExpressionType' + description: The type of the provided expression (for example, SQL). + RequestProgress: + $ref: '#/components/schemas/RequestProgress' + description: Specifies if periodic request progress information should be + enabled. + InputSerialization: + $ref: '#/components/schemas/InputSerialization' + description: Describes the format of the data in the object that is being + queried. + OutputSerialization: + $ref: '#/components/schemas/OutputSerialization' + description: Describes the format of the data that you want Amazon S3 to + return in response. + ScanRange: + $ref: '#/components/schemas/ScanRange' + description: "Specifies the byte range of the object to get the records\ + \ from. A record is processed when its first byte is contained by the\ + \ range. This parameter is optional, but when specified, it must not be\ + \ empty. See RFC 2616, Section 14.35.1 about how to specify the start\ + \ and end of the range.\n\n`ScanRange`may be used in the following ways:\n\ + \n * `50100` \\- process only the records starting between the bytes\ + \ 50 and 100 (inclusive, counting from zero)\n\n * `50` \\- process only\ + \ the records starting after the byte 50\n\n * `50` \\- process only\ + \ the records within the last 50 bytes of the file." + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + - Expression + - ExpressionType + - InputSerialization + - OutputSerialization + description: 'Learn Amazon S3 Select is no longer available to new customers. + Existing customers of Amazon S3 Select can continue to use the feature as + usual. [Learn more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) + + + Request to filter the contents of an Amazon S3 object based on a simple Structured + Query Language (SQL) statement. In the request, along with the SQL expression, + you must specify a data serialization format (JSON or CSV) of the object. + Amazon S3 uses this to parse object data into records. It returns only records + that match the specified SQL expression. You must also specify the data serialization + format for the response. For more information, see [S3Select API Documentation](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTObjectSELECTContent.html).' + SelectParameters: + type: object + properties: + InputSerialization: + $ref: '#/components/schemas/InputSerialization' + description: Describes the serialization format of the object. + ExpressionType: + $ref: '#/components/schemas/ExpressionType' + description: The type of the provided expression (for example, SQL). + Expression: + $ref: '#/components/schemas/Expression' + description: 'Amazon S3 Select is no longer available to new customers. + Existing customers of Amazon S3 Select can continue to use the feature + as usual. [Learn more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) + + + The expression that is used to query the object.' + OutputSerialization: + $ref: '#/components/schemas/OutputSerialization' + description: Describes how the results of the Select job are serialized. + required: + - InputSerialization + - ExpressionType + - Expression + - OutputSerialization + description: 'Amazon S3 Select is no longer available to new customers. Existing + customers of Amazon S3 Select can continue to use the feature as usual. [Learn + more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) + + + Describes the parameters for Select job types. + + + Learn [How to optimize querying your data in Amazon S3](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) + using [Amazon Athena](https://docs.aws.amazon.com/athena/latest/ug/what-is.html), + [S3 Object Lambda](https://docs.aws.amazon.com/AmazonS3/latest/userguide/transforming-objects.html), + or client-side filtering.' + ServerSideEncryption: + type: string + enum: + - AES256 + - aws:fsx + - aws:kms + - aws:kms:dsse + ServerSideEncryptionByDefault: + type: object + properties: + SSEAlgorithm: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'Server-side encryption algorithm to use for the default encryption. + + + For directory buckets, there are only two supported values for server-side + encryption: `AES256` and `aws:kms`.' + KMSMasterKeyID: + $ref: '#/components/schemas/SSEKMSKeyId' + description: "Amazon Web Services Key Management Service (KMS) customer\ + \ managed key ID to use for the default encryption.\n\n * **General purpose\ + \ buckets** \\- This parameter is allowed if and only if `SSEAlgorithm`\ + \ is set to `aws:kms` or `aws:kms:dsse`.\n\n * **Directory buckets**\ + \ \\- This parameter is allowed if and only if `SSEAlgorithm` is set to\ + \ `aws:kms`.\n\nYou can specify the key ID, key alias, or the Amazon Resource\ + \ Name (ARN) of the KMS key.\n\n * Key ID: `1234abcd-12ab-34cd-56ef-1234567890ab`\n\ + \n * Key ARN: `arn:aws:kms:us-east-2:111122223333:key/1234abcd-12ab-34cd-56ef-1234567890ab`\n\ + \n * Key Alias: `alias/alias-name`\n\nIf you are using encryption with\ + \ cross-account or Amazon Web Services service operations, you must use\ + \ a fully qualified KMS key ARN. For more information, see [Using encryption\ + \ for cross-account operations](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-encryption.html#bucket-encryption-update-bucket-policy).\n\ + \n * **General purpose buckets** \\- 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.\ + \ Also, if you use a key ID, you can run into a LogDestination undeliverable\ + \ error when creating a VPC flow log. \n\n * **Directory buckets** \\\ + - When you specify an [KMS customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ for encryption in your directory bucket, only use the key ID or key\ + \ ARN. The key alias format of the KMS key isn't supported.\n\nAmazon\ + \ S3 only supports symmetric encryption KMS keys. For more information,\ + \ see [Asymmetric keys in Amazon Web Services KMS](https://docs.aws.amazon.com/kms/latest/developerguide/symmetric-asymmetric.html)\ + \ in the _Amazon Web Services Key Management Service Developer Guide_." + required: + - SSEAlgorithm + description: "Describes the default server-side encryption to apply to new objects\ + \ in the bucket. If a PUT Object request doesn't specify any server-side encryption,\ + \ this default encryption will be applied. For more information, see [PutBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketPUTencryption.html).\n\ + \n * **General purpose buckets** \\- If you don't specify a customer managed\ + \ key at configuration, Amazon S3 automatically creates an Amazon Web Services\ + \ KMS key (`aws/s3`) in your Amazon Web Services account the first time that\ + \ you add an object encrypted with SSE-KMS to a bucket. By default, Amazon\ + \ S3 uses this KMS key for SSE-KMS. \n\n * **Directory buckets** \\- Your\ + \ SSE-KMS configuration can only support 1 [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ per directory bucket's lifetime. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk)\ + \ (`aws/s3`) isn't supported. \n\n * **Directory buckets** \\- For directory\ + \ buckets, there are only two supported options for server-side encryption:\ + \ SSE-S3 and SSE-KMS." + ServerSideEncryptionConfiguration: + type: object + properties: + Rules: + $ref: '#/components/schemas/ServerSideEncryptionRules' + description: Container for information about a particular server-side encryption + configuration rule. + required: + - Rules + description: Specifies the default server-side-encryption configuration. + ServerSideEncryptionRule: + type: object + properties: + ApplyServerSideEncryptionByDefault: + $ref: '#/components/schemas/ServerSideEncryptionByDefault' + description: Specifies the default server-side encryption to apply to new + objects in the bucket. If a PUT Object request doesn't specify any server-side + encryption, this default encryption will be applied. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: "Specifies whether Amazon S3 should use an S3 Bucket Key with\ + \ server-side encryption using KMS (SSE-KMS) for new objects in the bucket.\ + \ Existing objects are not affected. Setting the `BucketKeyEnabled` element\ + \ to `true` causes Amazon S3 to use an S3 Bucket Key.\n\n * **General\ + \ purpose buckets** \\- By default, S3 Bucket Key is not enabled. For\ + \ more information, see [Amazon S3 Bucket Keys](https://docs.aws.amazon.com/AmazonS3/latest/dev/bucket-key.html)\ + \ in the _Amazon S3 User Guide_.\n\n * **Directory buckets** \\- S3 Bucket\ + \ Keys are always enabled for `GET` and `PUT` operations in a directory\ + \ bucket and can’t be disabled. S3 Bucket Keys aren't supported, when\ + \ you copy SSE-KMS encrypted objects from general purpose buckets to directory\ + \ buckets, from directory buckets to general purpose buckets, or between\ + \ directory buckets, through [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html),\ + \ [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html),\ + \ [the Copy operation in Batch Operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-objects-Batch-Ops),\ + \ or [the import jobs](https://docs.aws.amazon.com/AmazonS3/latest/userguide/create-import-job).\ + \ In this case, Amazon S3 makes a call to KMS every time a copy request\ + \ is made for a KMS-encrypted object." + BlockedEncryptionTypes: + $ref: '#/components/schemas/BlockedEncryptionTypes' + description: 'A bucket-level setting for Amazon S3 general purpose buckets + used to prevent the upload of new objects encrypted with the specified + server-side encryption type. For example, blocking an encryption type + will block `PutObject`, `CopyObject`, `PostObject`, multipart upload, + and replication requests to the bucket for objects with the specified + encryption type. However, you can continue to read and list any pre-existing + objects already encrypted with the specified encryption type. For more + information, see [Blocking or unblocking SSE-C for a general purpose bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/blocking-unblocking-s3-c-encryption-gpb.html). + + + Currently, this parameter only supports blocking or unblocking server-side + encryption with customer-provided keys (SSE-C). For more information about + SSE-C, see [Using server-side encryption with customer-provided keys (SSE-C)](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ServerSideEncryptionCustomerKeys.html).' + description: "Specifies the default server-side encryption configuration.\n\n\ + \ * **General purpose buckets** \\- 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.\n\n * **Directory\ + \ buckets** \\- When you specify an [KMS customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)\ + \ for encryption in your directory bucket, only use the key ID or key ARN.\ + \ The key alias format of the KMS key isn't supported." + ServerSideEncryptionRules: + type: array + items: + $ref: '#/components/schemas/ServerSideEncryptionRule' + SessionCredentialValue: + type: string + SessionCredentials: + type: object + properties: + AccessKeyId: + $ref: '#/components/schemas/AccessKeyIdValue' + description: A unique identifier that's associated with a secret access + key. The access key ID and the secret access key are used together to + sign programmatic Amazon Web Services requests cryptographically. + SecretAccessKey: + $ref: '#/components/schemas/SessionCredentialValue' + description: A key that's used with the access key ID to cryptographically + sign programmatic Amazon Web Services requests. Signing a request identifies + the sender and prevents the request from being altered. + SessionToken: + $ref: '#/components/schemas/SessionCredentialValue' + description: A part of the temporary security credentials. The session token + is used to validate the temporary security credentials. + Expiration: + $ref: '#/components/schemas/SessionExpiration' + description: Temporary security credentials expire after a specified interval. + After temporary credentials expire, any calls that you make with those + credentials will fail. So you must generate a new set of temporary credentials. + Temporary credentials cannot be extended or refreshed beyond the original + specified interval. + required: + - AccessKeyId + - SecretAccessKey + - SessionToken + - Expiration + description: 'The established temporary security credentials of the session. + + + **Directory buckets** \- These session credentials are only supported for + the authentication and authorization of Zonal endpoint API operations on directory + buckets.' + SessionExpiration: + type: string + format: date-time + SessionMode: + type: string + enum: + - ReadOnly + - ReadWrite + Setting: + type: boolean + SimplePrefix: + type: object + properties: {} + description: 'To use simple format for S3 keys for log objects, set SimplePrefix + to an empty object. + + + `[DestinationPrefix][YYYY]-[MM]-[DD]-[hh]-[mm]-[ss]-[UniqueString]`' + Size: + type: integer + format: int64 + SkipValidation: + type: boolean + SourceSelectionCriteria: + type: object + properties: + SseKmsEncryptedObjects: + $ref: '#/components/schemas/SseKmsEncryptedObjects' + description: A container for filter information for the selection of Amazon + S3 objects encrypted with Amazon Web Services KMS. If you include `SourceSelectionCriteria` + in the replication configuration, this element is required. + ReplicaModifications: + $ref: '#/components/schemas/ReplicaModifications' + description: 'A filter that you can specify for selections for modifications + on replicas. Amazon S3 doesn''t replicate replica modifications by default. + In the latest version of replication configuration (when `Filter` is specified), + you can specify this element and set the status to `Enabled` to replicate + modifications on replicas. + + + If you don''t specify the `Filter` element, Amazon S3 assumes that the + replication configuration is the earlier version, V1. In the earlier version, + this element is not allowed' + description: A container that describes additional filters for identifying the + source objects that you want to replicate. You can choose to enable or disable + the replication of these objects. Currently, Amazon S3 supports only the filter + that you can specify for objects created with server-side encryption using + a customer managed key stored in Amazon Web Services Key Management Service + (SSE-KMS). + SseKmsEncryptedObjects: + type: object + properties: + Status: + $ref: '#/components/schemas/SseKmsEncryptedObjectsStatus' + description: Specifies whether Amazon S3 replicates objects created with + server-side encryption using an Amazon Web Services KMS key stored in + Amazon Web Services Key Management Service. + required: + - Status + description: A container for filter information for the selection of S3 objects + encrypted with Amazon Web Services KMS. + SseKmsEncryptedObjectsStatus: + type: string + enum: + - Enabled + - Disabled + Start: + type: integer + format: int64 + StartAfter: + type: string + Stats: + type: object + properties: + BytesScanned: + $ref: '#/components/schemas/BytesScanned' + description: The total number of object bytes scanned. + BytesProcessed: + $ref: '#/components/schemas/BytesProcessed' + description: The total number of uncompressed object bytes processed. + BytesReturned: + $ref: '#/components/schemas/BytesReturned' + description: The total number of bytes of records payload data returned. + description: Container for the stats details. + StatsEvent: + type: object + properties: + Details: + $ref: '#/components/schemas/Stats' + description: The Stats event details. + description: Container for the Stats Event. + StorageClass: + type: string + enum: + - STANDARD + - REDUCED_REDUNDANCY + - STANDARD_IA + - ONEZONE_IA + - INTELLIGENT_TIERING + - GLACIER + - DEEP_ARCHIVE + - OUTPOSTS + - GLACIER_IR + - SNOW + - EXPRESS_ONEZONE + - FSX_OPENZFS + - FSX_ONTAP + StorageClassAnalysis: + type: object + properties: + DataExport: + $ref: '#/components/schemas/StorageClassAnalysisDataExport' + description: Specifies how data related to the storage class analysis for + an Amazon S3 bucket should be exported. + description: Specifies data related to access patterns to be collected and made + available to analyze the tradeoffs between different storage classes for an + Amazon S3 bucket. + StorageClassAnalysisDataExport: + type: object + properties: + OutputSchemaVersion: + $ref: '#/components/schemas/StorageClassAnalysisSchemaVersion' + description: The version of the output schema to use when exporting data. + Must be `V_1`. + Destination: + $ref: '#/components/schemas/AnalyticsExportDestination' + description: The place to store the data for an analysis. + required: + - OutputSchemaVersion + - Destination + description: Container for data related to the storage class analysis for an + Amazon S3 bucket for export. + StorageClassAnalysisSchemaVersion: + type: string + enum: + - V_1 + StreamingBlob: + type: string + format: byte + Suffix: + type: string + TableSseAlgorithm: + type: string + enum: + - aws:kms + - AES256 + Tag: + type: object + properties: + Key: + $ref: '#/components/schemas/ObjectKey' + description: Name of the object key. + Value: + $ref: '#/components/schemas/Value' + description: Value of the tag. + required: + - Key + - Value + description: A container of a key value name pair. + TagCount: + type: integer + TagSet: + type: array + items: + $ref: '#/components/schemas/Tag' + Tagging: + type: object + properties: + TagSet: + $ref: '#/components/schemas/TagSet' + description: A collection for a set of tags + required: + - TagSet + description: Container for `TagSet` elements. + TaggingDirective: + type: string + enum: + - COPY + - REPLACE + TaggingHeader: + type: string + TargetBucket: + type: string + TargetGrant: + type: object + properties: + Grantee: + $ref: '#/components/schemas/Grantee' + description: Container for the person being granted permissions. + Permission: + $ref: '#/components/schemas/BucketLogsPermission' + description: Logging permissions assigned to the grantee for the bucket. + description: 'Container for granting information. + + + Buckets that use the bucket owner enforced setting for Object Ownership don''t + support target grants. For more information, see [Permissions server access + log delivery](https://docs.aws.amazon.com/AmazonS3/latest/userguide/enable-server-access-logging.html#grant-log-delivery-permissions-general) + in the _Amazon S3 User Guide_.' + TargetGrants: + type: array + items: + $ref: '#/components/schemas/TargetGrant' + TargetObjectKeyFormat: + type: object + properties: + SimplePrefix: + $ref: '#/components/schemas/SimplePrefix' + description: To use the simple format for S3 keys for log objects. To specify + SimplePrefix format, set SimplePrefix to {}. + PartitionedPrefix: + $ref: '#/components/schemas/PartitionedPrefix' + description: Partitioned S3 key for log objects. + description: Amazon S3 key format for log objects. Only one format, PartitionedPrefix + or SimplePrefix, is allowed. + TargetPrefix: + type: string + Tier: + type: string + enum: + - Standard + - Bulk + - Expedited + Tiering: + type: object + properties: + Days: + $ref: '#/components/schemas/IntelligentTieringDays' + description: The number of consecutive days of no access after which an + object will be eligible to be transitioned to the corresponding tier. + The minimum number of days specified for Archive Access tier must be at + least 90 days and Deep Archive Access tier must be at least 180 days. + The maximum can be up to 2 years (730 days). + AccessTier: + $ref: '#/components/schemas/IntelligentTieringAccessTier' + description: S3 Intelligent-Tiering access tier. See [Storage class for + automatically optimizing frequently and infrequently accessed objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html#sc-dynamic-data-access) + for a list of access tiers in the S3 Intelligent-Tiering storage class. + required: + - Days + - AccessTier + description: The S3 Intelligent-Tiering storage class is designed to optimize + storage costs by automatically moving data to the most cost-effective storage + access tier, without additional operational overhead. + TieringList: + type: array + items: + $ref: '#/components/schemas/Tiering' + Token: + type: string + TooManyParts: + type: object + properties: {} + description: You have attempted to add more parts than the maximum of 10000 + that are allowed for this object. You can use the CopyObject operation to + copy this object to another and then add more data to the newly copied object. + TopicArn: + type: string + TopicConfiguration: + type: object + properties: + Id: + $ref: '#/components/schemas/NotificationId' + TopicArn: + $ref: '#/components/schemas/TopicArn' + description: The Amazon Resource Name (ARN) of the Amazon SNS topic to which + Amazon S3 publishes a message when it detects events of the specified + type. + Events: + $ref: '#/components/schemas/EventList' + description: The Amazon S3 bucket event about which to send notifications. + For more information, see [Supported Event Types](https://docs.aws.amazon.com/AmazonS3/latest/dev/NotificationHowTo.html) + in the _Amazon S3 User Guide_. + Filter: + $ref: '#/components/schemas/NotificationConfigurationFilter' + required: + - TopicArn + - Events + description: A container for specifying the configuration for publication of + messages to an Amazon Simple Notification Service (Amazon SNS) topic when + Amazon S3 detects specified events. + TopicConfigurationList: + type: array + items: + $ref: '#/components/schemas/TopicConfiguration' + Transition: + type: object + properties: + Date: + $ref: '#/components/schemas/Date' + description: Indicates when objects are transitioned to the specified storage + class. The date value must be in ISO 8601 format. The time is always midnight + UTC. + Days: + $ref: '#/components/schemas/Days' + description: Indicates the number of days after creation when objects are + transitioned to the specified storage class. If the specified storage + class is `INTELLIGENT_TIERING`, `GLACIER_IR`, `GLACIER`, or `DEEP_ARCHIVE`, + valid values are `0` or positive integers. If the specified storage class + is `STANDARD_IA` or `ONEZONE_IA`, valid values are positive integers greater + than `30`. Be aware that some storage classes have a minimum storage duration + and that you're charged for transitioning objects before their minimum + storage duration. For more information, see [ Constraints and considerations + for transitions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/lifecycle-transition-general-considerations.html#lifecycle-configuration-constraints) + in the _Amazon S3 User Guide_. + StorageClass: + $ref: '#/components/schemas/TransitionStorageClass' + description: The storage class to which you want the object to transition. + description: Specifies when an object transitions to a specified storage class. + For more information about Amazon S3 lifecycle configuration rules, see [Transitioning + Objects Using Amazon S3 Lifecycle](https://docs.aws.amazon.com/AmazonS3/latest/dev/lifecycle-transition-general-considerations.html) + in the _Amazon S3 User Guide_. + TransitionDefaultMinimumObjectSize: + type: string + enum: + - varies_by_storage_class + - all_storage_classes_128K + TransitionList: + type: array + items: + $ref: '#/components/schemas/Transition' + TransitionStorageClass: + type: string + enum: + - GLACIER + - STANDARD_IA + - ONEZONE_IA + - INTELLIGENT_TIERING + - DEEP_ARCHIVE + - GLACIER_IR + Type: + type: string + enum: + - CanonicalUser + - AmazonCustomerByEmail + - Group + URI: + type: string + UpdateBucketMetadataInventoryTableConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that corresponds to the metadata + configuration that you want to enable or disable an inventory table for. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: The `Content-MD5` header for the inventory table configuration. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The checksum algorithm to use with your inventory table configuration. + InventoryTableConfiguration: + $ref: '#/components/schemas/InventoryTableConfigurationUpdates' + description: The contents of your inventory table configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected owner of the general purpose bucket that corresponds + to the metadata table configuration that you want to enable or disable + an inventory table for. + required: + - Bucket + - InventoryTableConfiguration + UpdateBucketMetadataJournalTableConfigurationRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: The general purpose bucket that corresponds to the metadata + configuration that you want to enable or disable journal table record + expiration for. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: The `Content-MD5` header for the journal table configuration. + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: The checksum algorithm to use with your journal table configuration. + JournalTableConfiguration: + $ref: '#/components/schemas/JournalTableConfigurationUpdates' + description: The contents of your journal table configuration. + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The expected owner of the general purpose bucket that corresponds + to the metadata table configuration that you want to enable or disable + journal table record expiration for. + required: + - Bucket + - JournalTableConfiguration + UploadIdMarker: + type: string + UploadPartCopyOutput: + type: object + properties: + CopySourceVersionId: + $ref: '#/components/schemas/CopySourceVersionId' + description: 'The version of the source object that was copied, if you have + enabled versioning on the source bucket. + + + This functionality is not supported when the source object is in a directory + bucket.' + CopyPartResult: + $ref: '#/components/schemas/CopyPartResult' + description: Container for all response elements. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the multipart upload uses an S3 Bucket Key + for server-side encryption with Key Management Service (KMS) keys (SSE-KMS). + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + UploadPartCopyRequest: + type: object + properties: + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The bucket name. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + Copying objects across different Amazon Web Services Regions isn''t supported + when the source or destination bucket is in Amazon Web Services Local + Zones. The source and destination buckets must have the same parent Amazon + Web Services Region. Otherwise, you get an HTTP `400 Bad Request` error + with the error code `InvalidRequest`. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + CopySource: + $ref: '#/components/schemas/CopySource' + description: "Specifies the source object for the copy operation. You specify\ + \ the value in one of two formats, depending on whether you want to access\ + \ the source object through an [access point](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-points.html):\n\ + \n * For objects not accessed through an access point, specify the name\ + \ of the source bucket and key of the source object, separated by a slash\ + \ (/). For example, to copy the object `reports/january.pdf` from the\ + \ bucket `awsexamplebucket`, use `awsexamplebucket/reports/january.pdf`.\ + \ The value must be URL-encoded.\n\n * For objects accessed through access\ + \ points, specify the Amazon Resource Name (ARN) of the object as accessed\ + \ through the access point, in the format `arn:aws:s3:::accesspoint//object/`.\ + \ For example, to copy the object `reports/january.pdf` through access\ + \ point `my-access-point` owned by account `123456789012` in Region `us-west-2`,\ + \ use the URL encoding of `arn:aws:s3:us-west-2:123456789012:accesspoint/my-access-point/object/reports/january.pdf`.\ + \ The value must be URL encoded.\n\n * Amazon S3 supports copy operations\ + \ using Access points only when the source and destination buckets are\ + \ in the same Amazon Web Services Region.\n\n * Access points are not\ + \ supported by directory buckets.\n\nAlternatively, for objects accessed\ + \ through Amazon S3 on Outposts, specify the ARN of the object as accessed\ + \ in the format `arn:aws:s3-outposts:::outpost//object/`. For example,\ + \ to copy the object `reports/january.pdf` through outpost `my-outpost`\ + \ owned by account `123456789012` in Region `us-west-2`, use the URL encoding\ + \ of `arn:aws:s3-outposts:us-west-2:123456789012:outpost/my-outpost/object/reports/january.pdf`.\ + \ The value must be URL-encoded.\n\nIf your bucket has versioning enabled,\ + \ you could have multiple versions of the same object. By default, `x-amz-copy-source`\ + \ identifies the current version of the source object to copy. To copy\ + \ a specific version of the source object to copy, append `?versionId=`\ + \ to the `x-amz-copy-source` request header (for example, `x-amz-copy-source:\ + \ /awsexamplebucket/reports/january.pdf?versionId=QUpfdndhfd8438MNFDN93jdnJFkdmqnh893`).\n\ + \nIf the current version is a delete marker and you don't specify a versionId\ + \ in the `x-amz-copy-source` request header, Amazon S3 returns a `404\ + \ Not Found` error, because the object does not exist. If you specify\ + \ versionId in the `x-amz-copy-source` and the versionId is a delete marker,\ + \ Amazon S3 returns an HTTP `400 Bad Request` error, because you are not\ + \ allowed to specify a delete marker as a version for the `x-amz-copy-source`.\n\ + \n**Directory buckets** \\- S3 Versioning isn't enabled and supported\ + \ for directory buckets." + CopySourceIfMatch: + $ref: '#/components/schemas/CopySourceIfMatch' + description: 'Copies the object if its entity tag (ETag) matches the specified + tag. + + + If both of the `x-amz-copy-source-if-match` and `x-amz-copy-source-if-unmodified-since` + headers are present in the request as follows: + + + `x-amz-copy-source-if-match` condition evaluates to `true`, and; + + + `x-amz-copy-source-if-unmodified-since` condition evaluates to `false`; + + + Amazon S3 returns `200 OK` and copies the data.' + CopySourceIfModifiedSince: + $ref: '#/components/schemas/CopySourceIfModifiedSince' + description: 'Copies the object if it has been modified since the specified + time. + + + If both of the `x-amz-copy-source-if-none-match` and `x-amz-copy-source-if-modified-since` + headers are present in the request as follows: + + + `x-amz-copy-source-if-none-match` condition evaluates to `false`, and; + + + `x-amz-copy-source-if-modified-since` condition evaluates to `true`; + + + Amazon S3 returns `412 Precondition Failed` response code.' + CopySourceIfNoneMatch: + $ref: '#/components/schemas/CopySourceIfNoneMatch' + description: 'Copies the object if its entity tag (ETag) is different than + the specified ETag. + + + If both of the `x-amz-copy-source-if-none-match` and `x-amz-copy-source-if-modified-since` + headers are present in the request as follows: + + + `x-amz-copy-source-if-none-match` condition evaluates to `false`, and; + + + `x-amz-copy-source-if-modified-since` condition evaluates to `true`; + + + Amazon S3 returns `412 Precondition Failed` response code.' + CopySourceIfUnmodifiedSince: + $ref: '#/components/schemas/CopySourceIfUnmodifiedSince' + description: 'Copies the object if it hasn''t been modified since the specified + time. + + + If both of the `x-amz-copy-source-if-match` and `x-amz-copy-source-if-unmodified-since` + headers are present in the request as follows: + + + `x-amz-copy-source-if-match` condition evaluates to `true`, and; + + + `x-amz-copy-source-if-unmodified-since` condition evaluates to `false`; + + + Amazon S3 returns `200 OK` and copies the data.' + CopySourceRange: + $ref: '#/components/schemas/CopySourceRange' + description: The range of bytes to copy from the source object. The range + value must use the form bytes=first-last, where the first and last are + the zero-based byte offsets to copy. For example, bytes=0-9 indicates + that you want to copy the first 10 bytes of the source. You can copy a + range only if the source object is greater than 5 MB. + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload was initiated. + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: Part number of part being copied. This is a positive integer + between 1 and 10,000. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: Upload ID identifying the multipart upload whose part is being + copied. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, AES256). + + + This functionality is not supported when the destination bucket is a directory + bucket.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded; Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm` + header. This must be the same encryption key specified in the initiate + multipart upload request. + + + This functionality is not supported when the destination bucket is a directory + bucket.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported when the destination bucket is a directory + bucket.' + CopySourceSSECustomerAlgorithm: + $ref: '#/components/schemas/CopySourceSSECustomerAlgorithm' + description: 'Specifies the algorithm to use when decrypting the source + object (for example, `AES256`). + + + This functionality is not supported when the source object is in a directory + bucket.' + CopySourceSSECustomerKey: + $ref: '#/components/schemas/CopySourceSSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use to decrypt the source object. The encryption key provided in + this header must be one that was used when the source object was created. + + + This functionality is not supported when the source object is in a directory + bucket.' + CopySourceSSECustomerKeyMD5: + $ref: '#/components/schemas/CopySourceSSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported when the source object is in a directory + bucket.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected destination bucket owner. If + the account ID that you provide does not match the actual owner of the + destination bucket, the request fails with the HTTP status code `403 Forbidden` + (access denied). + ExpectedSourceBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected source bucket owner. If the + account ID that you provide does not match the actual owner of the source + bucket, the request fails with the HTTP status code `403 Forbidden` (access + denied). + required: + - Bucket + - CopySource + - Key + - PartNumber + - UploadId + UploadPartOutput: + type: object + properties: + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when you store this + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + ETag: + $ref: '#/components/schemas/ETag' + description: Entity tag for the uploaded object. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: The Base64 encoded, 32-bit `CRC32 checksum` of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: The Base64 encoded, 32-bit `CRC32C` checksum of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 64-bit `CRC64NVME` checksum of the + part. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: The Base64 encoded, 160-bit `SHA1` digest of the object. This + checksum is only present if the checksum was uploaded with the object. + When you use the API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: The Base64 encoded, 256-bit `SHA256` digest of the object. + This checksum is only present if the checksum was uploaded with the object. + When you use an API operation on an object that was uploaded using multipart + uploads, this value may not be a direct checksum value of the full object. + Instead, it's a calculation based on the checksum values of each individual + part. For more information about how checksums are calculated with multipart + uploads, see [ Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html#large-object-checksums) + in the _Amazon S3 User Guide_. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to confirm the + encryption algorithm that''s used. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'If server-side encryption with a customer-provided encryption + key was requested, the response will include this header to provide the + round-trip message integrity verification of the customer-provided encryption + key. + + + This functionality is not supported for directory buckets.' + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, indicates the ID of the KMS key that was used for + object encryption. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the multipart upload uses an S3 Bucket Key + for server-side encryption with Key Management Service (KMS) keys (SSE-KMS). + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + UploadPartRequest: + type: object + properties: + Body: + $ref: '#/components/schemas/StreamingBlob' + description: Object data. + Bucket: + $ref: '#/components/schemas/BucketName' + description: 'The name of the bucket to which the multipart upload was initiated. + + + **Directory buckets** \- When you use this operation with a directory + bucket, you must use virtual-hosted-style requests in the format ` _Bucket-name_.s3express-_zone-id_._region-code_.amazonaws.com`. + Path-style requests are not supported. Directory bucket names must be + unique in the chosen Zone (Availability Zone or Local Zone). Bucket names + must follow the format ` _bucket-base-name_ --_zone-id_ --x-s3` (for example, + ` _amzn-s3-demo-bucket_ --_usw2-az1_ --x-s3`). For information about bucket + naming restrictions, see [Directory bucket naming rules](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-bucket-naming-rules.html) + in the _Amazon S3 User Guide_. + + + **Access points** \- When you use this action with an access point for + general purpose buckets, you must provide the alias of the access point + in place of the bucket name or specify the access point ARN. When you + use this action with an access point for directory buckets, you must provide + the access point name in place of the bucket name. When using the access + point ARN, you must direct requests to the access point hostname. The + access point hostname takes the form _AccessPointName_ -_AccountId_.s3-accesspoint._Region_.amazonaws.com. + When using this action with an access point through the Amazon Web Services + SDKs, you provide the access point ARN in place of the bucket name. For + more information about access point ARNs, see [Using access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/using-access-points.html) + in the _Amazon S3 User Guide_. + + + Object Lambda access points are not supported by directory buckets. + + + **S3 on Outposts** \- When you use this action with S3 on Outposts, you + must direct requests to the S3 on Outposts hostname. The S3 on Outposts + hostname takes the form ` _AccessPointName_ -_AccountId_._outpostID_.s3-outposts._Region_.amazonaws.com`. + When you use this action with S3 on Outposts, the destination bucket must + be the Outposts access point ARN or the access point alias. For more information + about S3 on Outposts, see [What is S3 on Outposts?](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) + in the _Amazon S3 User Guide_.' + ContentLength: + $ref: '#/components/schemas/ContentLength' + description: Size of the body in bytes. This parameter is useful when the + size of the body cannot be determined automatically. + ContentMD5: + $ref: '#/components/schemas/ContentMD5' + description: 'The Base64 encoded 128-bit MD5 digest of the part data. This + parameter is auto-populated when using the command from the CLI. This + parameter is required if object lock parameters are specified. + + + This functionality is not supported for directory buckets.' + ChecksumAlgorithm: + $ref: '#/components/schemas/ChecksumAlgorithm' + description: 'Indicates the algorithm used to create the checksum for the + object when you use the SDK. This header will not provide any additional + functionality if you don''t use the SDK. When you send this header, there + must be a corresponding `x-amz-checksum` or `x-amz-trailer` header sent. + Otherwise, Amazon S3 fails the request with the HTTP status code `400 + Bad Request`. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + If you provide an individual checksum, Amazon S3 ignores any provided + `ChecksumAlgorithm` parameter. + + + This checksum algorithm must be the same for all parts and it match the + checksum value supplied in the `CreateMultipartUpload` request.' + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32` checksum of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 32-bit `CRC32C` checksum of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 64-bit `CRC64NVME` checksum of the + part. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 160-bit `SHA1` digest of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 256-bit `SHA256` digest of the object. + For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + Key: + $ref: '#/components/schemas/ObjectKey' + description: Object key for which the multipart upload was initiated. + PartNumber: + $ref: '#/components/schemas/PartNumber' + description: Part number of part being uploaded. This is a positive integer + between 1 and 10,000. + UploadId: + $ref: '#/components/schemas/MultipartUploadId' + description: Upload ID identifying the multipart upload whose part is being + uploaded. + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: 'Specifies the algorithm to use when encrypting the object + (for example, AES256). + + + This functionality is not supported for directory buckets.' + SSECustomerKey: + $ref: '#/components/schemas/SSECustomerKey' + description: 'Specifies the customer-provided encryption key for Amazon + S3 to use in encrypting data. This value is used to store the object and + then it is discarded; Amazon S3 does not store the encryption key. The + key must be appropriate for use with the algorithm specified in the `x-amz-server-side-encryption-customer-algorithm + header`. This must be the same encryption key specified in the initiate + multipart upload request. + + + This functionality is not supported for directory buckets.' + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 'Specifies the 128-bit MD5 digest of the encryption key according + to RFC 1321. Amazon S3 uses this header for a message integrity check + to ensure that the encryption key was transmitted without error. + + + This functionality is not supported for directory buckets.' + RequestPayer: + $ref: '#/components/schemas/RequestPayer' + ExpectedBucketOwner: + $ref: '#/components/schemas/AccountId' + description: The account ID of the expected bucket owner. If the account + ID that you provide does not match the actual owner of the bucket, the + request fails with the HTTP status code `403 Forbidden` (access denied). + required: + - Bucket + - Key + - PartNumber + - UploadId + UserMetadata: + type: array + items: + $ref: '#/components/schemas/MetadataEntry' + Value: + type: string + VersionCount: + type: integer + VersionIdMarker: + type: string + VersioningConfiguration: + type: object + properties: + MFADelete: + $ref: '#/components/schemas/MFADelete' + description: Specifies whether MFA delete is enabled in the bucket versioning + configuration. This element is only returned if the bucket has been configured + with MFA delete. If the bucket has never been so configured, this element + is not returned. + Status: + $ref: '#/components/schemas/BucketVersioningStatus' + description: The versioning state of the bucket. + description: Describes the versioning state of an Amazon S3 bucket. For more + information, see [PUT Bucket versioning](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTBucketPUTVersioningStatus.html) + in the _Amazon S3 API Reference_. + WebsiteConfiguration: + type: object + properties: + ErrorDocument: + $ref: '#/components/schemas/ErrorDocument' + description: The name of the error document for the website. + IndexDocument: + $ref: '#/components/schemas/IndexDocument' + description: The name of the index document for the website. + RedirectAllRequestsTo: + $ref: '#/components/schemas/RedirectAllRequestsTo' + description: 'The redirect behavior for every request to this bucket''s + website endpoint. + + + If you specify this property, you can''t specify any other property.' + RoutingRules: + $ref: '#/components/schemas/RoutingRules' + description: Rules that define when a redirect is applied and the redirect + behavior. + description: Specifies website configuration parameters for an Amazon S3 bucket. + WebsiteRedirectLocation: + type: string + WriteGetObjectResponseRequest: + type: object + properties: + RequestRoute: + $ref: '#/components/schemas/RequestRoute' + description: Route prefix to the HTTP URL generated. + RequestToken: + $ref: '#/components/schemas/RequestToken' + description: A single use encrypted token that maps `WriteGetObjectResponse` + to the end user `GetObject` request. + Body: + $ref: '#/components/schemas/StreamingBlob' + description: The object data. + StatusCode: + $ref: '#/components/schemas/GetObjectResponseStatusCode' + description: "The integer status code for an HTTP response of a corresponding\ + \ `GetObject` request. The following is a list of status codes.\n\n *\ + \ `200 - OK`\n\n * `206 - Partial Content`\n\n * `304 - Not Modified`\n\ + \n * `400 - Bad Request`\n\n * `401 - Unauthorized`\n\n * `403 - Forbidden`\n\ + \n * `404 - Not Found`\n\n * `405 - Method Not Allowed`\n\n * `409\ + \ - Conflict`\n\n * `411 - Length Required`\n\n * `412 - Precondition\ + \ Failed`\n\n * `416 - Range Not Satisfiable`\n\n * `500 - Internal\ + \ Server Error`\n\n * `503 - Service Unavailable`" + ErrorCode: + $ref: '#/components/schemas/ErrorCode' + description: A string that uniquely identifies an error condition. Returned + in the ` tag of the error XML response for a corresponding `GetObject` + call. Cannot be used with a successful `StatusCode` header or when the + transformed object is provided in the body. All error codes from S3 are + sentence-cased. The regular expression (regex) value is `"^[A-Z][a-zA-Z]+$"`. + ErrorMessage: + $ref: '#/components/schemas/ErrorMessage' + description: Contains a generic description of the error condition. Returned + in the tag of the error XML response for a corresponding `GetObject` + call. Cannot be used with a successful `StatusCode` header or when the + transformed object is provided in body. + AcceptRanges: + $ref: '#/components/schemas/AcceptRanges' + description: Indicates that a range of bytes was specified. + CacheControl: + $ref: '#/components/schemas/CacheControl' + description: Specifies caching behavior along the request/reply chain. + ContentDisposition: + $ref: '#/components/schemas/ContentDisposition' + description: Specifies presentational information for the object. + ContentEncoding: + $ref: '#/components/schemas/ContentEncoding' + description: Specifies what content encodings have been applied to the object + and thus what decoding mechanisms must be applied to obtain the media-type + referenced by the Content-Type header field. + ContentLanguage: + $ref: '#/components/schemas/ContentLanguage' + description: The language the content is in. + ContentLength: + $ref: '#/components/schemas/ContentLength' + description: The size of the content body in bytes. + ContentRange: + $ref: '#/components/schemas/ContentRange' + description: The portion of the object returned in the response. + ContentType: + $ref: '#/components/schemas/ContentType' + description: A standard MIME type describing the format of the object data. + ChecksumCRC32: + $ref: '#/components/schemas/ChecksumCRC32' + description: 'This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + specifies the Base64 encoded, 32-bit `CRC32` checksum of the object returned + by the Object Lambda function. This may not match the checksum for the + object stored in Amazon S3. Amazon S3 will perform validation of the checksum + values only when the original `GetObject` request required checksum validation. + For more information about checksums, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + Only one checksum header can be specified at a time. If you supply multiple + checksum headers, this request will fail.' + ChecksumCRC32C: + $ref: '#/components/schemas/ChecksumCRC32C' + description: 'This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + specifies the Base64 encoded, 32-bit `CRC32C` checksum of the object returned + by the Object Lambda function. This may not match the checksum for the + object stored in Amazon S3. Amazon S3 will perform validation of the checksum + values only when the original `GetObject` request required checksum validation. + For more information about checksums, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + Only one checksum header can be specified at a time. If you supply multiple + checksum headers, this request will fail.' + ChecksumCRC64NVME: + $ref: '#/components/schemas/ChecksumCRC64NVME' + description: This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + header specifies the Base64 encoded, 64-bit `CRC64NVME` checksum of the + part. For more information, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + ChecksumSHA1: + $ref: '#/components/schemas/ChecksumSHA1' + description: 'This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + specifies the Base64 encoded, 160-bit `SHA1` digest of the object returned + by the Object Lambda function. This may not match the checksum for the + object stored in Amazon S3. Amazon S3 will perform validation of the checksum + values only when the original `GetObject` request required checksum validation. + For more information about checksums, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + Only one checksum header can be specified at a time. If you supply multiple + checksum headers, this request will fail.' + ChecksumSHA256: + $ref: '#/components/schemas/ChecksumSHA256' + description: 'This header can be used as a data integrity check to verify + that the data received is the same data that was originally sent. This + specifies the Base64 encoded, 256-bit `SHA256` digest of the object returned + by the Object Lambda function. This may not match the checksum for the + object stored in Amazon S3. Amazon S3 will perform validation of the checksum + values only when the original `GetObject` request required checksum validation. + For more information about checksums, see [Checking object integrity](https://docs.aws.amazon.com/AmazonS3/latest/userguide/checking-object-integrity.html) + in the _Amazon S3 User Guide_. + + + Only one checksum header can be specified at a time. If you supply multiple + checksum headers, this request will fail.' + DeleteMarker: + $ref: '#/components/schemas/DeleteMarker' + description: Specifies whether an object stored in Amazon S3 is (`true`) + or is not (`false`) a delete marker. To learn more about delete markers, + see [Working with delete markers](https://docs.aws.amazon.com/AmazonS3/latest/userguide/DeleteMarker.html). + ETag: + $ref: '#/components/schemas/ETag' + description: An opaque identifier assigned by a web server to a specific + version of a resource found at a URL. + Expires: + $ref: '#/components/schemas/Expires' + description: The date and time at which the object is no longer cacheable. + Expiration: + $ref: '#/components/schemas/Expiration' + description: If the object expiration is configured (see PUT Bucket lifecycle), + the response includes this header. It includes the `expiry-date` and `rule-id` + key-value pairs that provide the object expiration information. The value + of the `rule-id` is URL-encoded. + LastModified: + $ref: '#/components/schemas/LastModified' + description: The date and time that the object was last modified. + MissingMeta: + $ref: '#/components/schemas/MissingMeta' + description: Set to the number of metadata entries not returned in `x-amz-meta` + headers. This can happen if you create metadata using an API like SOAP + that supports more flexible metadata than the REST API. For example, using + SOAP, you can create metadata whose values are not legal HTTP headers. + Metadata: + $ref: '#/components/schemas/Metadata' + description: A map of metadata to store with the object in S3. + ObjectLockMode: + $ref: '#/components/schemas/ObjectLockMode' + description: Indicates whether an object stored in Amazon S3 has Object + Lock enabled. For more information about S3 Object Lock, see [Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lock.html). + ObjectLockLegalHoldStatus: + $ref: '#/components/schemas/ObjectLockLegalHoldStatus' + description: Indicates whether an object stored in Amazon S3 has an active + legal hold. + ObjectLockRetainUntilDate: + $ref: '#/components/schemas/ObjectLockRetainUntilDate' + description: The date and time when Object Lock is configured to expire. + PartsCount: + $ref: '#/components/schemas/PartsCount' + description: The count of parts this object has. + ReplicationStatus: + $ref: '#/components/schemas/ReplicationStatus' + description: Indicates if request involves bucket that is either a source + or destination in a Replication rule. For more information about S3 Replication, + see [Replication](https://docs.aws.amazon.com/AmazonS3/latest/userguide/replication.html). + RequestCharged: + $ref: '#/components/schemas/RequestCharged' + Restore: + $ref: '#/components/schemas/Restore' + description: Provides information about object restoration operation and + expiration time of the restored object copy. + ServerSideEncryption: + $ref: '#/components/schemas/ServerSideEncryption' + description: 'The server-side encryption algorithm used when storing requested + object in Amazon S3 or Amazon FSx. + + + When accessing data stored in Amazon FSx file systems using S3 access + points, the only valid server side encryption option is `aws:fsx`.' + SSECustomerAlgorithm: + $ref: '#/components/schemas/SSECustomerAlgorithm' + description: Encryption algorithm used if server-side encryption with a + customer-provided encryption key was specified for object stored in Amazon + S3. + SSEKMSKeyId: + $ref: '#/components/schemas/SSEKMSKeyId' + description: If present, specifies the ID (Key ID, Key ARN, or Key Alias) + of the Amazon Web Services Key Management Service (Amazon Web Services + KMS) symmetric encryption customer managed key that was used for stored + in Amazon S3 object. + SSECustomerKeyMD5: + $ref: '#/components/schemas/SSECustomerKeyMD5' + description: 128-bit MD5 digest of customer-provided encryption key used + in Amazon S3 to encrypt data stored in S3. For more information, see [Protecting + data using server-side encryption with customer-provided encryption keys + (SSE-C)](https://docs.aws.amazon.com/AmazonS3/latest/userguide/ServerSideEncryptionCustomerKeys.html). + StorageClass: + $ref: '#/components/schemas/StorageClass' + description: 'Provides storage class information of the object. Amazon S3 + returns this header for all objects except for S3 Standard storage class + objects. + + + For more information, see [Storage Classes](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage-class-intro.html).' + TagCount: + $ref: '#/components/schemas/TagCount' + description: The number of tags, if any, on the object. + VersionId: + $ref: '#/components/schemas/ObjectVersionId' + description: An ID used to reference a specific version of the object. + BucketKeyEnabled: + $ref: '#/components/schemas/BucketKeyEnabled' + description: Indicates whether the object stored in Amazon S3 uses an S3 + bucket key for server-side encryption with Amazon Web Services KMS (SSE-KMS). + required: + - RequestRoute + - RequestToken + WriteOffsetBytes: + type: integer + format: int64 + Years: + type: integer + metadatavalue: + type: object + description: Schema definition for metadatavalue (auto-generated placeholder) + x-orphaned: true + x-stackQL-resources: + bucket_abac: + id: aws.s3.bucket_abac + name: bucket_abac + title: Bucket Abac + methods: + get_bucket_abac: + operation: + $ref: '#/paths/~1?abac/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_abac: + config: + requestBodyTranslate: + algorithm: naive + operation: + $ref: '#/paths/~1?abac/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + schema_override: + $ref: '#/components/schemas/AbacInputOverride' + transform: + type: golang_template_text_v0.1.0 + body: |- + {{- $s := separator ", " -}} + {{- $body := jsonMapFromString . -}} + {{- $status := index $body "Status" -}} + {{- $nestedField := index $body "NestedField" -}} + {{- $renderedNestedFields := "" -}} + {{- range $k, $v := $nestedField -}} + {{- if eq (printf "%T" $v) "[]interface {}" -}} + {{- $renderedListItems := "" -}} + {{- range $i, $item := $v -}} + {{- /* Fix: Use '=' and 'print' instead of '+=' */ -}} + {{- $renderedListItems = print $renderedListItems (printf "<%s>%v" $k $item $k) -}} + {{- end -}} + {{- $renderedNestedFields = print $renderedNestedFields (printf "<%sList>%s" $k $renderedListItems $k) -}} + {{- continue -}} + {{- end -}} + {{- /* Fix: Removed redundant variable reference in printf and changed += to = print */ -}} + {{- $renderedNestedFields = print $renderedNestedFields (printf "<%s>%v" $k $v $k) -}} + {{- end -}} + {{ $status }} + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_abac/methods/get_bucket_abac' + insert: [] + update: + - $ref: '#/components/x-stackQL-resources/bucket_abac/methods/put_bucket_abac' + delete: [] + bucket_accelerate_configurations: + id: aws.s3.bucket_accelerate_configurations + name: bucket_accelerate_configurations + title: Bucket Accelerate Configurations + methods: + get_bucket_accelerate_configuration: + operation: + $ref: '#/paths/~1{Bucket}?accelerate/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_accelerate_configuration: + operation: + $ref: '#/paths/~1{Bucket}?accelerate/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_accelerate_configurations/methods/get_bucket_accelerate_configuration' + insert: [] + update: [] + delete: [] + bucket_acls: + id: aws.s3.bucket_acls + name: bucket_acls + title: Bucket Acls + methods: + get_bucket_acl: + operation: + $ref: '#/paths/~1{Bucket}?acl/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_acl: + operation: + $ref: '#/paths/~1{Bucket}?acl/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_acls/methods/get_bucket_acl' + insert: [] + update: [] + delete: [] + bucket_analytics_configurations: + id: aws.s3.bucket_analytics_configurations + name: bucket_analytics_configurations + title: Bucket Analytics Configurations + methods: + delete_bucket_analytics_configuration: + operation: + $ref: '#/paths/~1{Bucket}?analytics/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_analytics_configuration: + operation: + $ref: '#/paths/~1{Bucket}?analytics&x-id=GetBucketAnalyticsConfiguration/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_bucket_analytics_configurations: + operation: + $ref: '#/paths/~1{Bucket}?analytics&x-id=ListBucketAnalyticsConfigurations/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_analytics_configuration: + operation: + $ref: '#/paths/~1{Bucket}?analytics/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_analytics_configurations/methods/get_bucket_analytics_configuration' + - $ref: '#/components/x-stackQL-resources/bucket_analytics_configurations/methods/list_bucket_analytics_configurations' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_analytics_configurations/methods/delete_bucket_analytics_configuration' + bucket_cors: + id: aws.s3.bucket_cors + name: bucket_cors + title: Bucket Cors + methods: + delete_bucket_cors: + operation: + $ref: '#/paths/~1{Bucket}?cors/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_cors: + operation: + $ref: '#/paths/~1{Bucket}?cors/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_cors: + operation: + $ref: '#/paths/~1{Bucket}?cors/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_cors/methods/get_bucket_cors' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_cors/methods/delete_bucket_cors' + bucket_encryption: + id: aws.s3.bucket_encryption + name: bucket_encryption + title: Bucket Encryption + methods: + delete_bucket_encryption: + operation: + $ref: '#/paths/~1{Bucket}?encryption/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_encryption: + operation: + $ref: '#/paths/~1{Bucket}?encryption/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_encryption: + operation: + $ref: '#/paths/~1{Bucket}?encryption/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_encryption/methods/get_bucket_encryption' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_encryption/methods/delete_bucket_encryption' + bucket_intelligent_tiering_configurations: + id: aws.s3.bucket_intelligent_tiering_configurations + name: bucket_intelligent_tiering_configurations + title: Bucket Intelligent Tiering Configurations + methods: + delete_bucket_intelligent_tiering_configuration: + operation: + $ref: '#/paths/~1{Bucket}?intelligent-tiering/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_intelligent_tiering_configuration: + operation: + $ref: '#/paths/~1{Bucket}?intelligent-tiering&x-id=GetBucketIntelligentTieringConfiguration/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_bucket_intelligent_tiering_configurations: + operation: + $ref: '#/paths/~1{Bucket}?intelligent-tiering&x-id=ListBucketIntelligentTieringConfigurations/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_intelligent_tiering_configuration: + operation: + $ref: '#/paths/~1{Bucket}?intelligent-tiering/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_intelligent_tiering_configurations/methods/get_bucket_intelligent_tiering_configuration' + - $ref: '#/components/x-stackQL-resources/bucket_intelligent_tiering_configurations/methods/list_bucket_intelligent_tiering_configurations' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_intelligent_tiering_configurations/methods/delete_bucket_intelligent_tiering_configuration' + bucket_inventory_configurations: + id: aws.s3.bucket_inventory_configurations + name: bucket_inventory_configurations + title: Bucket Inventory Configurations + methods: + delete_bucket_inventory_configuration: + operation: + $ref: '#/paths/~1{Bucket}?inventory/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_inventory_configuration: + operation: + $ref: '#/paths/~1{Bucket}?inventory&x-id=GetBucketInventoryConfiguration/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_bucket_inventory_configurations: + operation: + $ref: '#/paths/~1{Bucket}?inventory&x-id=ListBucketInventoryConfigurations/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_inventory_configuration: + operation: + $ref: '#/paths/~1{Bucket}?inventory/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_inventory_configurations/methods/get_bucket_inventory_configuration' + - $ref: '#/components/x-stackQL-resources/bucket_inventory_configurations/methods/list_bucket_inventory_configurations' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_inventory_configurations/methods/delete_bucket_inventory_configuration' + bucket_lifecycle_configurations: + id: aws.s3.bucket_lifecycle_configurations + name: bucket_lifecycle_configurations + title: Bucket Lifecycle Configurations + methods: + delete_bucket_lifecycle: + operation: + $ref: '#/paths/~1{Bucket}?lifecycle/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_lifecycle_configuration: + operation: + $ref: '#/paths/~1{Bucket}?lifecycle/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_lifecycle_configuration: + operation: + $ref: '#/paths/~1{Bucket}?lifecycle/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_lifecycle_configurations/methods/get_bucket_lifecycle_configuration' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_lifecycle_configurations/methods/delete_bucket_lifecycle' + bucket_locations: + id: aws.s3.bucket_locations + name: bucket_locations + title: Bucket Locations + methods: + get_bucket_location: + operation: + $ref: '#/paths/~1?location/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_locations/methods/get_bucket_location' + insert: [] + update: [] + delete: [] + bucket_logging: + id: aws.s3.bucket_logging + name: bucket_logging + title: Bucket Logging + methods: + get_bucket_logging: + operation: + $ref: '#/paths/~1{Bucket}?logging/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_logging: + operation: + $ref: '#/paths/~1{Bucket}?logging/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_logging/methods/get_bucket_logging' + insert: [] + update: [] + delete: [] + bucket_metadata_configurations: + id: aws.s3.bucket_metadata_configurations + name: bucket_metadata_configurations + title: Bucket Metadata Configurations + methods: + create_bucket_metadata_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataConfiguration/post' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + delete_bucket_metadata_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataConfiguration/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_metadata_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataConfiguration/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_configurations/methods/get_bucket_metadata_configuration' + insert: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_configurations/methods/create_bucket_metadata_configuration' + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_configurations/methods/delete_bucket_metadata_configuration' + bucket_metadata_inventory_table_configurations: + id: aws.s3.bucket_metadata_inventory_table_configurations + name: bucket_metadata_inventory_table_configurations + title: Bucket Metadata Inventory Table Configurations + methods: + update_bucket_metadata_inventory_table_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataInventoryTable/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: [] + insert: [] + update: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_inventory_table_configurations/methods/update_bucket_metadata_inventory_table_configuration' + delete: [] + bucket_metadata_journal_table_configurations: + id: aws.s3.bucket_metadata_journal_table_configurations + name: bucket_metadata_journal_table_configurations + title: Bucket Metadata Journal Table Configurations + methods: + update_bucket_metadata_journal_table_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataJournalTable/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: [] + insert: [] + update: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_journal_table_configurations/methods/update_bucket_metadata_journal_table_configuration' + delete: [] + bucket_metadata_table_configurations: + id: aws.s3.bucket_metadata_table_configurations + name: bucket_metadata_table_configurations + title: Bucket Metadata Table Configurations + methods: + create_bucket_metadata_table_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataTable/post' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + delete_bucket_metadata_table_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataTable/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_metadata_table_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metadataTable/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_table_configurations/methods/get_bucket_metadata_table_configuration' + insert: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_table_configurations/methods/create_bucket_metadata_table_configuration' + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_metadata_table_configurations/methods/delete_bucket_metadata_table_configuration' + bucket_metrics_configurations: + id: aws.s3.bucket_metrics_configurations + name: bucket_metrics_configurations + title: Bucket Metrics Configurations + methods: + delete_bucket_metrics_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metrics/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_metrics_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metrics&x-id=GetBucketMetricsConfiguration/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_bucket_metrics_configurations: + operation: + $ref: '#/paths/~1{Bucket}?metrics&x-id=ListBucketMetricsConfigurations/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_metrics_configuration: + operation: + $ref: '#/paths/~1{Bucket}?metrics/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_metrics_configurations/methods/get_bucket_metrics_configuration' + - $ref: '#/components/x-stackQL-resources/bucket_metrics_configurations/methods/list_bucket_metrics_configurations' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_metrics_configurations/methods/delete_bucket_metrics_configuration' + bucket_notification_configurations: + id: aws.s3.bucket_notification_configurations + name: bucket_notification_configurations + title: Bucket Notification Configurations + methods: + get_bucket_notification_configuration: + operation: + $ref: '#/paths/~1{Bucket}?notification/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_notification_configuration: + operation: + $ref: '#/paths/~1{Bucket}?notification/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_notification_configurations/methods/get_bucket_notification_configuration' + insert: [] + update: [] + delete: [] + bucket_ownership_controls: + id: aws.s3.bucket_ownership_controls + name: bucket_ownership_controls + title: Bucket Ownership Controls + methods: + delete_bucket_ownership_controls: + operation: + $ref: '#/paths/~1{Bucket}?ownershipControls/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_ownership_controls: + operation: + $ref: '#/paths/~1{Bucket}?ownershipControls/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_ownership_controls: + operation: + $ref: '#/paths/~1{Bucket}?ownershipControls/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_ownership_controls/methods/get_bucket_ownership_controls' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_ownership_controls/methods/delete_bucket_ownership_controls' + bucket_policies: + id: aws.s3.bucket_policies + name: bucket_policies + title: Bucket Policies + methods: + delete_bucket_policy: + operation: + $ref: '#/paths/~1{Bucket}?policy/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_policy: + operation: + $ref: '#/paths/~1{Bucket}?policy/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_policy: + operation: + $ref: '#/paths/~1{Bucket}?policy/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_policies/methods/get_bucket_policy' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_policies/methods/delete_bucket_policy' + bucket_policy_statuses: + id: aws.s3.bucket_policy_statuses + name: bucket_policy_statuses + title: Bucket Policy Statuses + methods: + get_bucket_policy_status: + operation: + $ref: '#/paths/~1{Bucket}?policyStatus/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_policy_statuses/methods/get_bucket_policy_status' + insert: [] + update: [] + delete: [] + bucket_replication: + id: aws.s3.bucket_replication + name: bucket_replication + title: Bucket Replication + methods: + delete_bucket_replication: + operation: + $ref: '#/paths/~1{Bucket}?replication/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_replication: + operation: + $ref: '#/paths/~1{Bucket}?replication/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_replication: + operation: + $ref: '#/paths/~1{Bucket}?replication/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_replication/methods/get_bucket_replication' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_replication/methods/delete_bucket_replication' + bucket_request_payment: + id: aws.s3.bucket_request_payment + name: bucket_request_payment + title: Bucket Request Payment + methods: + get_bucket_request_payment: + operation: + $ref: '#/paths/~1{Bucket}?requestPayment/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_request_payment: + operation: + $ref: '#/paths/~1{Bucket}?requestPayment/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_request_payment/methods/get_bucket_request_payment' + insert: [] + update: [] + delete: [] + bucket_tagging: + id: aws.s3.bucket_tagging + name: bucket_tagging + title: Bucket Tagging + methods: + delete_bucket_tagging: + operation: + $ref: '#/paths/~1{Bucket}?tagging/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_tagging: + operation: + $ref: '#/paths/~1{Bucket}?tagging/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_tagging: + operation: + $ref: '#/paths/~1{Bucket}?tagging/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_tagging/methods/get_bucket_tagging' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_tagging/methods/delete_bucket_tagging' + bucket_versioning: + id: aws.s3.bucket_versioning + name: bucket_versioning + title: Bucket Versioning + methods: + get_bucket_versioning: + operation: + $ref: '#/paths/~1{Bucket}?versioning/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_versioning: + operation: + $ref: '#/paths/~1{Bucket}?versioning/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_versioning/methods/get_bucket_versioning' + insert: [] + update: [] + delete: [] + bucket_websites: + id: aws.s3.bucket_websites + name: bucket_websites + title: Bucket Websites + methods: + delete_bucket_website: + operation: + $ref: '#/paths/~1{Bucket}?website/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_bucket_website: + operation: + $ref: '#/paths/~1{Bucket}?website/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_bucket_website: + operation: + $ref: '#/paths/~1{Bucket}?website/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/bucket_websites/methods/get_bucket_website' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/bucket_websites/methods/delete_bucket_website' + buckets: + id: aws.s3.buckets + name: buckets + title: Buckets + methods: + create_bucket: + operation: + $ref: '#/paths/~1{Bucket}/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + delete_bucket: + operation: + $ref: '#/paths/~1{Bucket}/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + head_bucket: + operation: + $ref: '#/paths/~1{Bucket}/head' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_buckets: + operation: + $ref: '#/paths/~1?x-id=ListBuckets&__region={region}/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + objectKey: /*/Buckets/* + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/buckets/methods/list_buckets' + insert: + - $ref: '#/components/x-stackQL-resources/buckets/methods/create_bucket' + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/buckets/methods/delete_bucket' + directory_buckets: + id: aws.s3.directory_buckets + name: directory_buckets + title: Directory Buckets + methods: + list_directory_buckets: + operation: + $ref: '#/paths/~1?x-id=ListDirectoryBuckets/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + objectKey: $.Buckets + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/directory_buckets/methods/list_directory_buckets' + insert: [] + update: [] + delete: [] + multipart_upload_parts: + id: aws.s3.multipart_upload_parts + name: multipart_upload_parts + title: Multipart Upload Parts + methods: + list_parts: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=ListParts/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + objectKey: $.Parts + pagination: + requestToken: + key: PartNumberMarker + location: query + responseToken: + key: NextPartNumberMarker + location: body + upload_part: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=UploadPart/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + upload_part_copy: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=UploadPartCopy/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/multipart_upload_parts/methods/list_parts' + insert: [] + update: [] + delete: [] + multipart_uploads: + id: aws.s3.multipart_uploads + name: multipart_uploads + title: Multipart Uploads + methods: + abort_multipart_upload: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=AbortMultipartUpload/delete' + response: + mediaType: text/xml + openAPIDocKey: '204' + complete_multipart_upload: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}/post' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + create_multipart_upload: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?uploads/post' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_multipart_uploads: + operation: + $ref: '#/paths/~1{Bucket}?uploads/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/multipart_uploads/methods/list_multipart_uploads' + insert: + - $ref: '#/components/x-stackQL-resources/multipart_uploads/methods/create_multipart_upload' + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/multipart_uploads/methods/abort_multipart_upload' + object_acls: + id: aws.s3.object_acls + name: object_acls + title: Object Acls + methods: + get_object_acl: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?acl/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_object_acl: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?acl/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_acls/methods/get_object_acl' + insert: [] + update: [] + delete: [] + object_attributes: + id: aws.s3.object_attributes + name: object_attributes + title: Object Attributes + methods: + get_object_attributes: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?attributes/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_attributes/methods/get_object_attributes' + insert: [] + update: [] + delete: [] + object_lambda_responses: + id: aws.s3.object_lambda_responses + name: object_lambda_responses + title: Object Lambda Responses + methods: + write_get_object_response: + operation: + $ref: '#/paths/~1WriteGetObjectResponse/post' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: [] + insert: [] + update: [] + delete: [] + object_legal_holds: + id: aws.s3.object_legal_holds + name: object_legal_holds + title: Object Legal Holds + methods: + get_object_legal_hold: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?legal-hold/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_object_legal_hold: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?legal-hold/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_legal_holds/methods/get_object_legal_hold' + insert: [] + update: [] + delete: [] + object_lock_configurations: + id: aws.s3.object_lock_configurations + name: object_lock_configurations + title: Object Lock Configurations + methods: + get_object_lock_configuration: + operation: + $ref: '#/paths/~1{Bucket}?object-lock/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_object_lock_configuration: + operation: + $ref: '#/paths/~1{Bucket}?object-lock/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_lock_configurations/methods/get_object_lock_configuration' + insert: [] + update: [] + delete: [] + object_retention: + id: aws.s3.object_retention + name: object_retention + title: Object Retention + methods: + get_object_retention: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?retention/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_object_retention: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?retention/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_retention/methods/get_object_retention' + insert: [] + update: [] + delete: [] + object_tagging: + id: aws.s3.object_tagging + name: object_tagging + title: Object Tagging + methods: + delete_object_tagging: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?tagging/delete' + response: + mediaType: text/xml + openAPIDocKey: '204' + get_object_tagging: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?tagging/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_object_tagging: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?tagging/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_tagging/methods/get_object_tagging' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/object_tagging/methods/delete_object_tagging' + object_torrents: + id: aws.s3.object_torrents + name: object_torrents + title: Object Torrents + methods: + get_object_torrent: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?torrent/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_torrents/methods/get_object_torrent' + insert: [] + update: [] + delete: [] + object_versions: + id: aws.s3.object_versions + name: object_versions + title: Object Versions + methods: + list_object_versions: + operation: + $ref: '#/paths/~1{Bucket}?versions/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/object_versions/methods/list_object_versions' + insert: [] + update: [] + delete: [] + objects: + id: aws.s3.objects + name: objects + title: Objects + methods: + copy_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=CopyObject/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + delete_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=DeleteObject/delete' + response: + mediaType: text/xml + openAPIDocKey: '204' + delete_objects: + operation: + $ref: '#/paths/~1{Bucket}?delete/post' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + get_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=GetObject/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + head_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}/head' + response: + mediaType: text/xml + openAPIDocKey: '200' + list_objects: + operation: + $ref: '#/paths/~1?max-keys=1000/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + objectKey: /*/Contents + put_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?x-id=PutObject/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + rename_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?renameObject/put' + response: + mediaType: text/xml + openAPIDocKey: '200' + restore_object: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?restore/post' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + select_object_content: + operation: + $ref: '#/paths/~1{Bucket}~1{Key+}?select&select-type=2/post' + response: + mediaType: text/xml + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/objects/methods/get_object' + - $ref: '#/components/x-stackQL-resources/objects/methods/list_objects' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/objects/methods/delete_object' + - $ref: '#/components/x-stackQL-resources/objects/methods/delete_objects' + objects_v2: + id: aws.s3.objects_v2 + name: objects_v2 + title: Objects V2 + methods: + list_objects_v2: + operation: + $ref: '#/paths/~1{Bucket}?list-type=2/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + pagination: + requestToken: + key: ContinuationToken + location: query + responseToken: + key: NextContinuationToken + location: body + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/objects_v2/methods/list_objects_v2' + insert: [] + update: [] + delete: [] + public_access_blocks: + id: aws.s3.public_access_blocks + name: public_access_blocks + title: Public Access Blocks + methods: + delete_public_access_block: + operation: + $ref: '#/paths/~1{Bucket}?publicAccessBlock/delete' + response: + mediaType: application/json + openAPIDocKey: '204' + get_public_access_block: + operation: + $ref: '#/paths/~1{Bucket}?publicAccessBlock/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + put_public_access_block: + operation: + $ref: '#/paths/~1{Bucket}?publicAccessBlock/put' + response: + mediaType: application/json + openAPIDocKey: '200' + request: + mediaType: application/xml + sqlVerbs: + select: + - $ref: '#/components/x-stackQL-resources/public_access_blocks/methods/get_public_access_block' + insert: [] + update: [] + delete: + - $ref: '#/components/x-stackQL-resources/public_access_blocks/methods/delete_public_access_block' + sessions: + id: aws.s3.sessions + name: sessions + title: Sessions + methods: + create_session: + operation: + $ref: '#/paths/~1{Bucket}?session/get' + response: + mediaType: text/xml + openAPIDocKey: '200' + sqlVerbs: + select: [] + insert: + - $ref: '#/components/x-stackQL-resources/sessions/methods/create_session' + update: [] + delete: [] +x-stackQL-config: + auth: + type: aws_signing_v4 + credentialsenvvar: AWS_SECRET_ACCESS_KEY + keyIDenvvar: AWS_ACCESS_KEY_ID + pagination: + requestToken: + key: ContinuationToken + location: query + responseToken: + key: ContinuationToken + location: body diff --git a/test/robot/cli/aot/aot_adhoc.robot b/test/robot/cli/aot/aot_adhoc.robot index bc6081b..b26a26c 100644 --- a/test/robot/cli/aot/aot_adhoc.robot +++ b/test/robot/cli/aot/aot_adhoc.robot @@ -20,7 +20,7 @@ Simple AOT Analysis Google Provider with CLI Log Stdout = ${result.stdout} Log RC = ${result.rc} Should Contain ${result.stderr} - ... error count 635 + ... error count 637 Should Be Equal As Strings ${result.rc} 1 Simple AOT Analysis AWS Provider with CLI @@ -40,9 +40,11 @@ Simple AOT Analysis AWS Provider with CLI Log Stderr = ${result.stderr} Log Stdout = ${result.stdout} Log RC = ${result.rc} - Should Contain ${result.stdout} - ... successfully performed AOT analysis - Should Be Equal As Strings ${result.rc} 0 + # Should Contain ${result.stdout} + # ... successfully performed AOT analysis + Should Contain ${result.stderr} + ... error count 2 + Should Be Equal As Strings ${result.rc} 1 Simple AOT Service Level Analysis AWS EC2 with CLI [Documentation] Test CLI Working diff --git a/test/robot/cli/mocked/adhoc.robot b/test/robot/cli/mocked/adhoc.robot index 850e980..b418bbc 100644 --- a/test/robot/cli/mocked/adhoc.robot +++ b/test/robot/cli/mocked/adhoc.robot @@ -29,7 +29,7 @@ Select Google Cloud Storage Buckets with CLI Should Be Equal As Strings ${result.rc} 0 Should Be Equal ${result.stderr} ${EMPTY} -Update Google Cloud Storage Bucket ABAC with CLI Demonstrates Request Body Rewrite +Update AWS Bucket ABAC with CLI Demonstrates Request Body Rewrite [Documentation] Test CLI Working [Tags] cli ${google_credentials} = Get File ${REPOSITORY_ROOT}${/}test${/}assets${/}credentials${/}dummy${/}google${/}functional-test-dummy-sa-key.json @@ -45,11 +45,36 @@ Update Google Cloud Storage Bucket ABAC with CLI Demonstrates Request Body Rewri ... \-\-parameters { "region": "ap-southeast-2", "Bucket": "stackql-trial-bucket-02", "Status": "Enabled" } ... \-\-auth {"google": {"credentialsenvvar": "GCP_SERVICE_ACCOUNT_KEY"}} ... cwd=${CWD_FOR_EXEC} - ... stdout=${CURDIR}${/}/tmp${/}Update-Google-Cloud-Storage-Bucket-ABAC-with-CLI-Demonstrates-Request-Body-Rewrite.txt - ... stderr=${CURDIR}${/}/tmp${/}Update-Google-Cloud-Storage-Bucket-ABAC-with-CLI-Demonstrates-Request-Body-Rewrite_stderr.txt + ... stdout=${CURDIR}${/}/tmp${/}Update-AWS-Bucket-ABAC-with-CLI-Demonstrates-Request-Body-Rewrite.txt + ... stderr=${CURDIR}${/}/tmp${/}Update-AWS-Bucket-ABAC-with-CLI-Demonstrates-Request-Body-Rewrite_stderr.txt Log Stderr = ${result.stderr} Log Stdout = ${result.stdout} Log RC = ${result.rc} Should Be Equal As Strings ${result.rc} 0 Should Be Equal ${result.stdout} ${EMPTY} Should Be Equal ${result.stderr} ${EMPTY} + +AWS EC2 Describe Volumes Demonstrates No Request Body Parameters Still Expands Template + [Documentation] Test CLI Working + [Tags] cli + ${google_credentials} = Get File ${REPOSITORY_ROOT}${/}test${/}assets${/}credentials${/}dummy${/}google${/}functional-test-dummy-sa-key.json + Set Environment Variable GCP_SERVICE_ACCOUNT_KEY ${google_credentials} + ${result} = Run Process + ... ${CLI_EXE} + ... query + ... \-\-svc-file-path test/registry\-mocked/src/aws/v0\.1\.0/services/ec2\.yaml + ... \-\-tls.allowInsecure + ... \-\-prov-file-path test/registry\-mocked/src/aws/v0\.1\.0/provider\.yaml + ... \-\-resource volumes_post_naively_presented + ... \-\-method describeVolumes + ... \-\-parameters { "region": "ap-southeast-2" } + ... cwd=${CWD_FOR_EXEC} + ... stdout=${CURDIR}${/}/tmp${/}AWS-EC2-Describe-Volumes-Demonstrates-No-Request-Body-Parameters-Still-Expands-Template.txt + ... stderr=${CURDIR}${/}/tmp${/}AWS-EC2-Describe-Volumes-Demonstrates-No-Request-Body-Parameters-Still-Expands-Template_stderr.txt + Log Stderr = ${result.stderr} + Log Stdout = ${result.stdout} + Log RC = ${result.rc} + Should Be Equal As Strings ${result.rc} 0 + Should Contain ${result.stdout} + ... vol\-00100000000000000 + Should Be Equal ${result.stderr} ${EMPTY}