Merge branch 'elblivion-update-aws'

This commit is contained in:
Brian Flad 2018-07-30 18:00:35 -04:00
commit 7e6ee00fd8
318 changed files with 57107 additions and 9417 deletions

View File

@ -15,6 +15,12 @@ type Config struct {
Endpoint string Endpoint string
SigningRegion string SigningRegion string
SigningName string SigningName string
// States that the signing name did not come from a modeled source but
// was derived based on other data. Used by service client constructors
// to determine if the signin name can be overriden based on metadata the
// service has.
SigningNameDerived bool
} }
// ConfigProvider provides a generic way for a service client to receive // ConfigProvider provides a generic way for a service client to receive

View File

@ -1,12 +1,11 @@
package client package client
import ( import (
"math/rand"
"strconv" "strconv"
"sync"
"time" "time"
"github.com/aws/aws-sdk-go/aws/request" "github.com/aws/aws-sdk-go/aws/request"
"github.com/aws/aws-sdk-go/internal/sdkrand"
) )
// DefaultRetryer implements basic retry logic using exponential backoff for // DefaultRetryer implements basic retry logic using exponential backoff for
@ -31,8 +30,6 @@ func (d DefaultRetryer) MaxRetries() int {
return d.NumMaxRetries return d.NumMaxRetries
} }
var seededRand = rand.New(&lockedSource{src: rand.NewSource(time.Now().UnixNano())})
// RetryRules returns the delay duration before retrying this request again // RetryRules returns the delay duration before retrying this request again
func (d DefaultRetryer) RetryRules(r *request.Request) time.Duration { func (d DefaultRetryer) RetryRules(r *request.Request) time.Duration {
// Set the upper limit of delay in retrying at ~five minutes // Set the upper limit of delay in retrying at ~five minutes
@ -53,7 +50,7 @@ func (d DefaultRetryer) RetryRules(r *request.Request) time.Duration {
retryCount = 13 retryCount = 13
} }
delay := (1 << uint(retryCount)) * (seededRand.Intn(minTime) + minTime) delay := (1 << uint(retryCount)) * (sdkrand.SeededRand.Intn(minTime) + minTime)
return time.Duration(delay) * time.Millisecond return time.Duration(delay) * time.Millisecond
} }
@ -65,7 +62,7 @@ func (d DefaultRetryer) ShouldRetry(r *request.Request) bool {
return *r.Retryable return *r.Retryable
} }
if r.HTTPResponse.StatusCode >= 500 { if r.HTTPResponse.StatusCode >= 500 && r.HTTPResponse.StatusCode != 501 {
return true return true
} }
return r.IsErrorRetryable() || d.shouldThrottle(r) return r.IsErrorRetryable() || d.shouldThrottle(r)
@ -117,22 +114,3 @@ func canUseRetryAfterHeader(r *request.Request) bool {
return true return true
} }
// lockedSource is a thread-safe implementation of rand.Source
type lockedSource struct {
lk sync.Mutex
src rand.Source
}
func (r *lockedSource) Int63() (n int64) {
r.lk.Lock()
n = r.src.Int63()
r.lk.Unlock()
return
}
func (r *lockedSource) Seed(seed int64) {
r.lk.Lock()
r.src.Seed(seed)
r.lk.Unlock()
}

View File

@ -46,6 +46,7 @@ func (reader *teeReaderCloser) Close() error {
func logRequest(r *request.Request) { func logRequest(r *request.Request) {
logBody := r.Config.LogLevel.Matches(aws.LogDebugWithHTTPBody) logBody := r.Config.LogLevel.Matches(aws.LogDebugWithHTTPBody)
bodySeekable := aws.IsReaderSeekable(r.Body)
dumpedBody, err := httputil.DumpRequestOut(r.HTTPRequest, logBody) dumpedBody, err := httputil.DumpRequestOut(r.HTTPRequest, logBody)
if err != nil { if err != nil {
r.Config.Logger.Log(fmt.Sprintf(logReqErrMsg, r.ClientInfo.ServiceName, r.Operation.Name, err)) r.Config.Logger.Log(fmt.Sprintf(logReqErrMsg, r.ClientInfo.ServiceName, r.Operation.Name, err))
@ -53,6 +54,9 @@ func logRequest(r *request.Request) {
} }
if logBody { if logBody {
if !bodySeekable {
r.SetReaderBody(aws.ReadSeekCloser(r.HTTPRequest.Body))
}
// Reset the request body because dumpRequest will re-wrap the r.HTTPRequest's // Reset the request body because dumpRequest will re-wrap the r.HTTPRequest's
// Body as a NoOpCloser and will not be reset after read by the HTTP // Body as a NoOpCloser and will not be reset after read by the HTTP
// client reader. // client reader.

View File

@ -151,6 +151,15 @@ type Config struct {
// with accelerate. // with accelerate.
S3UseAccelerate *bool S3UseAccelerate *bool
// S3DisableContentMD5Validation config option is temporarily disabled,
// For S3 GetObject API calls, #1837.
//
// Set this to `true` to disable the S3 service client from automatically
// adding the ContentMD5 to S3 Object Put and Upload API calls. This option
// will also disable the SDK from performing object ContentMD5 validation
// on GetObject API calls.
S3DisableContentMD5Validation *bool
// Set this to `true` to disable the EC2Metadata client from overriding the // Set this to `true` to disable the EC2Metadata client from overriding the
// default http.Client's Timeout. This is helpful if you do not want the // default http.Client's Timeout. This is helpful if you do not want the
// EC2Metadata client to create a new http.Client. This options is only // EC2Metadata client to create a new http.Client. This options is only
@ -336,6 +345,15 @@ func (c *Config) WithS3Disable100Continue(disable bool) *Config {
func (c *Config) WithS3UseAccelerate(enable bool) *Config { func (c *Config) WithS3UseAccelerate(enable bool) *Config {
c.S3UseAccelerate = &enable c.S3UseAccelerate = &enable
return c return c
}
// WithS3DisableContentMD5Validation sets a config
// S3DisableContentMD5Validation value returning a Config pointer for chaining.
func (c *Config) WithS3DisableContentMD5Validation(enable bool) *Config {
c.S3DisableContentMD5Validation = &enable
return c
} }
// WithUseDualStack sets a config UseDualStack value returning a Config // WithUseDualStack sets a config UseDualStack value returning a Config
@ -435,6 +453,10 @@ func mergeInConfig(dst *Config, other *Config) {
dst.S3UseAccelerate = other.S3UseAccelerate dst.S3UseAccelerate = other.S3UseAccelerate
} }
if other.S3DisableContentMD5Validation != nil {
dst.S3DisableContentMD5Validation = other.S3DisableContentMD5Validation
}
if other.UseDualStack != nil { if other.UseDualStack != nil {
dst.UseDualStack = other.UseDualStack dst.UseDualStack = other.UseDualStack
} }

View File

@ -3,12 +3,10 @@ package corehandlers
import ( import (
"bytes" "bytes"
"fmt" "fmt"
"io"
"io/ioutil" "io/ioutil"
"net/http" "net/http"
"net/url" "net/url"
"regexp" "regexp"
"runtime"
"strconv" "strconv"
"time" "time"
@ -36,18 +34,13 @@ var BuildContentLengthHandler = request.NamedHandler{Name: "core.BuildContentLen
if slength := r.HTTPRequest.Header.Get("Content-Length"); slength != "" { if slength := r.HTTPRequest.Header.Get("Content-Length"); slength != "" {
length, _ = strconv.ParseInt(slength, 10, 64) length, _ = strconv.ParseInt(slength, 10, 64)
} else { } else {
switch body := r.Body.(type) { if r.Body != nil {
case nil: var err error
length = 0 length, err = aws.SeekerLen(r.Body)
case lener: if err != nil {
length = int64(body.Len()) r.Error = awserr.New(request.ErrCodeSerialization, "failed to get request body's length", err)
case io.Seeker: return
r.BodyStart, _ = body.Seek(0, 1) }
end, _ := body.Seek(0, 2)
body.Seek(r.BodyStart, 0) // make sure to seek back to original location
length = end - r.BodyStart
default:
panic("Cannot get length of body, must provide `ContentLength`")
} }
} }
@ -60,13 +53,6 @@ var BuildContentLengthHandler = request.NamedHandler{Name: "core.BuildContentLen
} }
}} }}
// SDKVersionUserAgentHandler is a request handler for adding the SDK Version to the user agent.
var SDKVersionUserAgentHandler = request.NamedHandler{
Name: "core.SDKVersionUserAgentHandler",
Fn: request.MakeAddToUserAgentHandler(aws.SDKName, aws.SDKVersion,
runtime.Version(), runtime.GOOS, runtime.GOARCH),
}
var reStatusCode = regexp.MustCompile(`^(\d{3})`) var reStatusCode = regexp.MustCompile(`^(\d{3})`)
// ValidateReqSigHandler is a request handler to ensure that the request's // ValidateReqSigHandler is a request handler to ensure that the request's

View File

@ -0,0 +1,37 @@
package corehandlers
import (
"os"
"runtime"
"github.com/aws/aws-sdk-go/aws"
"github.com/aws/aws-sdk-go/aws/request"
)
// SDKVersionUserAgentHandler is a request handler for adding the SDK Version
// to the user agent.
var SDKVersionUserAgentHandler = request.NamedHandler{
Name: "core.SDKVersionUserAgentHandler",
Fn: request.MakeAddToUserAgentHandler(aws.SDKName, aws.SDKVersion,
runtime.Version(), runtime.GOOS, runtime.GOARCH),
}
const execEnvVar = `AWS_EXECUTION_ENV`
const execEnvUAKey = `exec_env`
// AddHostExecEnvUserAgentHander is a request handler appending the SDK's
// execution environment to the user agent.
//
// If the environment variable AWS_EXECUTION_ENV is set, its value will be
// appended to the user agent string.
var AddHostExecEnvUserAgentHander = request.NamedHandler{
Name: "core.AddHostExecEnvUserAgentHander",
Fn: func(r *request.Request) {
v := os.Getenv(execEnvVar)
if len(v) == 0 {
return
}
request.AddToUserAgent(r, execEnvUAKey+"/"+v)
},
}

View File

@ -73,6 +73,7 @@ func Handlers() request.Handlers {
handlers.Validate.PushBackNamed(corehandlers.ValidateEndpointHandler) handlers.Validate.PushBackNamed(corehandlers.ValidateEndpointHandler)
handlers.Validate.AfterEachFn = request.HandlerListStopOnError handlers.Validate.AfterEachFn = request.HandlerListStopOnError
handlers.Build.PushBackNamed(corehandlers.SDKVersionUserAgentHandler) handlers.Build.PushBackNamed(corehandlers.SDKVersionUserAgentHandler)
handlers.Build.PushBackNamed(corehandlers.AddHostExecEnvUserAgentHander)
handlers.Build.AfterEachFn = request.HandlerListStopOnError handlers.Build.AfterEachFn = request.HandlerListStopOnError
handlers.Sign.PushBackNamed(corehandlers.BuildContentLengthHandler) handlers.Sign.PushBackNamed(corehandlers.BuildContentLengthHandler)
handlers.Send.PushBackNamed(corehandlers.ValidateReqSigHandler) handlers.Send.PushBackNamed(corehandlers.ValidateReqSigHandler)

View File

@ -1,5 +1,10 @@
// Package ec2metadata provides the client for making API calls to the // Package ec2metadata provides the client for making API calls to the
// EC2 Metadata service. // EC2 Metadata service.
//
// This package's client can be disabled completely by setting the environment
// variable "AWS_EC2_METADATA_DISABLED=true". This environment variable set to
// true instructs the SDK to disable the EC2 Metadata client. The client cannot
// be used while the environemnt variable is set to true, (case insensitive).
package ec2metadata package ec2metadata
import ( import (
@ -7,17 +12,21 @@ import (
"errors" "errors"
"io" "io"
"net/http" "net/http"
"os"
"strings"
"time" "time"
"github.com/aws/aws-sdk-go/aws" "github.com/aws/aws-sdk-go/aws"
"github.com/aws/aws-sdk-go/aws/awserr" "github.com/aws/aws-sdk-go/aws/awserr"
"github.com/aws/aws-sdk-go/aws/client" "github.com/aws/aws-sdk-go/aws/client"
"github.com/aws/aws-sdk-go/aws/client/metadata" "github.com/aws/aws-sdk-go/aws/client/metadata"
"github.com/aws/aws-sdk-go/aws/corehandlers"
"github.com/aws/aws-sdk-go/aws/request" "github.com/aws/aws-sdk-go/aws/request"
) )
// ServiceName is the name of the service. // ServiceName is the name of the service.
const ServiceName = "ec2metadata" const ServiceName = "ec2metadata"
const disableServiceEnvVar = "AWS_EC2_METADATA_DISABLED"
// A EC2Metadata is an EC2 Metadata service Client. // A EC2Metadata is an EC2 Metadata service Client.
type EC2Metadata struct { type EC2Metadata struct {
@ -75,6 +84,21 @@ func NewClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegio
svc.Handlers.Validate.Clear() svc.Handlers.Validate.Clear()
svc.Handlers.Validate.PushBack(validateEndpointHandler) svc.Handlers.Validate.PushBack(validateEndpointHandler)
// Disable the EC2 Metadata service if the environment variable is set.
// This shortcirctes the service's functionality to always fail to send
// requests.
if strings.ToLower(os.Getenv(disableServiceEnvVar)) == "true" {
svc.Handlers.Send.SwapNamed(request.NamedHandler{
Name: corehandlers.SendHandler.Name,
Fn: func(r *request.Request) {
r.Error = awserr.New(
request.CanceledErrorCode,
"EC2 IMDS access disabled via "+disableServiceEnvVar+" env var",
nil)
},
})
}
// Add additional options to the service config // Add additional options to the service config
for _, option := range opts { for _, option := range opts {
option(svc.Client) option(svc.Client)

View File

@ -4,7 +4,6 @@ import (
"encoding/json" "encoding/json"
"fmt" "fmt"
"io" "io"
"os"
"github.com/aws/aws-sdk-go/aws/awserr" "github.com/aws/aws-sdk-go/aws/awserr"
) )
@ -85,34 +84,11 @@ func decodeV3Endpoints(modelDef modelDefinition, opts DecodeModelOptions) (Resol
custAddEC2Metadata(p) custAddEC2Metadata(p)
custAddS3DualStack(p) custAddS3DualStack(p)
custRmIotDataService(p) custRmIotDataService(p)
custFixCloudHSMv2SigningName(p)
} }
return ps, nil return ps, nil
} }
func custFixCloudHSMv2SigningName(p *partition) {
// Workaround for aws/aws-sdk-go#1745 until the endpoint model can be
// fixed upstream. TODO remove this once the endpoints model is updated.
s, ok := p.Services["cloudhsmv2"]
if !ok {
return
}
if len(s.Defaults.CredentialScope.Service) != 0 {
fmt.Fprintf(os.Stderr, "cloudhsmv2 signing name already set, ignoring override.\n")
// If the value is already set don't override
return
}
s.Defaults.CredentialScope.Service = "cloudhsm"
fmt.Fprintf(os.Stderr, "cloudhsmv2 signing name not set, overriding.\n")
p.Services["cloudhsmv2"] = s
}
func custAddS3DualStack(p *partition) { func custAddS3DualStack(p *partition) {
if p.ID != "aws" { if p.ID != "aws" {
return return

View File

@ -45,6 +45,7 @@ const (
// Service identifiers // Service identifiers
const ( const (
A4bServiceID = "a4b" // A4b.
AcmServiceID = "acm" // Acm. AcmServiceID = "acm" // Acm.
ApiPricingServiceID = "api.pricing" // ApiPricing. ApiPricingServiceID = "api.pricing" // ApiPricing.
ApigatewayServiceID = "apigateway" // Apigateway. ApigatewayServiceID = "apigateway" // Apigateway.
@ -55,6 +56,8 @@ const (
AutoscalingPlansServiceID = "autoscaling-plans" // AutoscalingPlans. AutoscalingPlansServiceID = "autoscaling-plans" // AutoscalingPlans.
BatchServiceID = "batch" // Batch. BatchServiceID = "batch" // Batch.
BudgetsServiceID = "budgets" // Budgets. BudgetsServiceID = "budgets" // Budgets.
CeServiceID = "ce" // Ce.
Cloud9ServiceID = "cloud9" // Cloud9.
ClouddirectoryServiceID = "clouddirectory" // Clouddirectory. ClouddirectoryServiceID = "clouddirectory" // Clouddirectory.
CloudformationServiceID = "cloudformation" // Cloudformation. CloudformationServiceID = "cloudformation" // Cloudformation.
CloudfrontServiceID = "cloudfront" // Cloudfront. CloudfrontServiceID = "cloudfront" // Cloudfront.
@ -70,6 +73,7 @@ const (
CognitoIdentityServiceID = "cognito-identity" // CognitoIdentity. CognitoIdentityServiceID = "cognito-identity" // CognitoIdentity.
CognitoIdpServiceID = "cognito-idp" // CognitoIdp. CognitoIdpServiceID = "cognito-idp" // CognitoIdp.
CognitoSyncServiceID = "cognito-sync" // CognitoSync. CognitoSyncServiceID = "cognito-sync" // CognitoSync.
ComprehendServiceID = "comprehend" // Comprehend.
ConfigServiceID = "config" // Config. ConfigServiceID = "config" // Config.
CurServiceID = "cur" // Cur. CurServiceID = "cur" // Cur.
DatapipelineServiceID = "datapipeline" // Datapipeline. DatapipelineServiceID = "datapipeline" // Datapipeline.
@ -99,6 +103,7 @@ const (
GlacierServiceID = "glacier" // Glacier. GlacierServiceID = "glacier" // Glacier.
GlueServiceID = "glue" // Glue. GlueServiceID = "glue" // Glue.
GreengrassServiceID = "greengrass" // Greengrass. GreengrassServiceID = "greengrass" // Greengrass.
GuarddutyServiceID = "guardduty" // Guardduty.
HealthServiceID = "health" // Health. HealthServiceID = "health" // Health.
IamServiceID = "iam" // Iam. IamServiceID = "iam" // Iam.
ImportexportServiceID = "importexport" // Importexport. ImportexportServiceID = "importexport" // Importexport.
@ -113,6 +118,9 @@ const (
LogsServiceID = "logs" // Logs. LogsServiceID = "logs" // Logs.
MachinelearningServiceID = "machinelearning" // Machinelearning. MachinelearningServiceID = "machinelearning" // Machinelearning.
MarketplacecommerceanalyticsServiceID = "marketplacecommerceanalytics" // Marketplacecommerceanalytics. MarketplacecommerceanalyticsServiceID = "marketplacecommerceanalytics" // Marketplacecommerceanalytics.
MediaconvertServiceID = "mediaconvert" // Mediaconvert.
MedialiveServiceID = "medialive" // Medialive.
MediapackageServiceID = "mediapackage" // Mediapackage.
MeteringMarketplaceServiceID = "metering.marketplace" // MeteringMarketplace. MeteringMarketplaceServiceID = "metering.marketplace" // MeteringMarketplace.
MghServiceID = "mgh" // Mgh. MghServiceID = "mgh" // Mgh.
MobileanalyticsServiceID = "mobileanalytics" // Mobileanalytics. MobileanalyticsServiceID = "mobileanalytics" // Mobileanalytics.
@ -127,12 +135,17 @@ const (
RdsServiceID = "rds" // Rds. RdsServiceID = "rds" // Rds.
RedshiftServiceID = "redshift" // Redshift. RedshiftServiceID = "redshift" // Redshift.
RekognitionServiceID = "rekognition" // Rekognition. RekognitionServiceID = "rekognition" // Rekognition.
ResourceGroupsServiceID = "resource-groups" // ResourceGroups.
Route53ServiceID = "route53" // Route53. Route53ServiceID = "route53" // Route53.
Route53domainsServiceID = "route53domains" // Route53domains. Route53domainsServiceID = "route53domains" // Route53domains.
RuntimeLexServiceID = "runtime.lex" // RuntimeLex. RuntimeLexServiceID = "runtime.lex" // RuntimeLex.
RuntimeSagemakerServiceID = "runtime.sagemaker" // RuntimeSagemaker.
S3ServiceID = "s3" // S3. S3ServiceID = "s3" // S3.
SagemakerServiceID = "sagemaker" // Sagemaker.
SdbServiceID = "sdb" // Sdb. SdbServiceID = "sdb" // Sdb.
ServerlessrepoServiceID = "serverlessrepo" // Serverlessrepo.
ServicecatalogServiceID = "servicecatalog" // Servicecatalog. ServicecatalogServiceID = "servicecatalog" // Servicecatalog.
ServicediscoveryServiceID = "servicediscovery" // Servicediscovery.
ShieldServiceID = "shield" // Shield. ShieldServiceID = "shield" // Shield.
SmsServiceID = "sms" // Sms. SmsServiceID = "sms" // Sms.
SnowballServiceID = "snowball" // Snowball. SnowballServiceID = "snowball" // Snowball.
@ -146,9 +159,11 @@ const (
SupportServiceID = "support" // Support. SupportServiceID = "support" // Support.
SwfServiceID = "swf" // Swf. SwfServiceID = "swf" // Swf.
TaggingServiceID = "tagging" // Tagging. TaggingServiceID = "tagging" // Tagging.
TranslateServiceID = "translate" // Translate.
WafServiceID = "waf" // Waf. WafServiceID = "waf" // Waf.
WafRegionalServiceID = "waf-regional" // WafRegional. WafRegionalServiceID = "waf-regional" // WafRegional.
WorkdocsServiceID = "workdocs" // Workdocs. WorkdocsServiceID = "workdocs" // Workdocs.
WorkmailServiceID = "workmail" // Workmail.
WorkspacesServiceID = "workspaces" // Workspaces. WorkspacesServiceID = "workspaces" // Workspaces.
XrayServiceID = "xray" // Xray. XrayServiceID = "xray" // Xray.
) )
@ -246,6 +261,12 @@ var awsPartition = partition{
}, },
}, },
Services: services{ Services: services{
"a4b": service{
Endpoints: endpoints{
"us-east-1": endpoint{},
},
},
"acm": service{ "acm": service{
Endpoints: endpoints{ Endpoints: endpoints{
@ -392,13 +413,16 @@ var awsPartition = partition{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-southeast-1": endpoint{}, "ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"ca-central-1": endpoint{},
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
"us-west-1": endpoint{},
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
@ -415,11 +439,35 @@ var awsPartition = partition{
}, },
}, },
}, },
"ce": service{
PartitionEndpoint: "aws-global",
IsRegionalized: boxedFalse,
Endpoints: endpoints{
"aws-global": endpoint{
Hostname: "ce.us-east-1.amazonaws.com",
CredentialScope: credentialScope{
Region: "us-east-1",
},
},
},
},
"cloud9": service{
Endpoints: endpoints{
"ap-southeast-1": endpoint{},
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"clouddirectory": service{ "clouddirectory": service{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-southeast-1": endpoint{}, "ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
@ -536,16 +584,43 @@ var awsPartition = partition{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{}, "ap-northeast-2": endpoint{},
"ap-south-1": endpoint{},
"ap-southeast-1": endpoint{}, "ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"ca-central-1": endpoint{}, "ca-central-1": endpoint{},
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"eu-west-3": endpoint{},
"sa-east-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-1-fips": endpoint{
"us-west-1": endpoint{}, Hostname: "codebuild-fips.us-east-1.amazonaws.com",
"us-west-2": endpoint{}, CredentialScope: credentialScope{
Region: "us-east-1",
},
},
"us-east-2": endpoint{},
"us-east-2-fips": endpoint{
Hostname: "codebuild-fips.us-east-2.amazonaws.com",
CredentialScope: credentialScope{
Region: "us-east-2",
},
},
"us-west-1": endpoint{},
"us-west-1-fips": endpoint{
Hostname: "codebuild-fips.us-west-1.amazonaws.com",
CredentialScope: credentialScope{
Region: "us-west-1",
},
},
"us-west-2": endpoint{},
"us-west-2-fips": endpoint{
Hostname: "codebuild-fips.us-west-2.amazonaws.com",
CredentialScope: credentialScope{
Region: "us-west-2",
},
},
}, },
}, },
"codecommit": service{ "codecommit": service{
@ -599,6 +674,7 @@ var awsPartition = partition{
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"eu-west-3": endpoint{},
"sa-east-1": endpoint{}, "sa-east-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
@ -610,6 +686,7 @@ var awsPartition = partition{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-southeast-1": endpoint{}, "ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"ca-central-1": endpoint{}, "ca-central-1": endpoint{},
@ -670,6 +747,17 @@ var awsPartition = partition{
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
"comprehend": service{
Defaults: endpoint{
Protocols: []string{"https"},
},
Endpoints: endpoints{
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"config": service{ "config": service{
Endpoints: endpoints{ Endpoints: endpoints{
@ -711,6 +799,8 @@ var awsPartition = partition{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-south-1": endpoint{}, "ap-south-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"sa-east-1": endpoint{}, "sa-east-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
@ -939,6 +1029,7 @@ var awsPartition = partition{
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
"us-west-1": endpoint{},
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
@ -1120,6 +1211,8 @@ var awsPartition = partition{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
@ -1139,6 +1232,29 @@ var awsPartition = partition{
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
"guardduty": service{
IsRegionalized: boxedTrue,
Defaults: endpoint{
Protocols: []string{"https"},
},
Endpoints: endpoints{
"ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-south-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"ca-central-1": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{},
"eu-west-2": endpoint{},
"eu-west-3": endpoint{},
"sa-east-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-1": endpoint{},
"us-west-2": endpoint{},
},
},
"health": service{ "health": service{
Endpoints: endpoints{ Endpoints: endpoints{
@ -1333,6 +1449,51 @@ var awsPartition = partition{
"us-east-1": endpoint{}, "us-east-1": endpoint{},
}, },
}, },
"mediaconvert": service{
Endpoints: endpoints{
"ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-south-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"ca-central-1": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{},
"eu-west-2": endpoint{},
"sa-east-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-1": endpoint{},
"us-west-2": endpoint{},
},
},
"medialive": service{
Endpoints: endpoints{
"ap-northeast-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-west-2": endpoint{},
},
},
"mediapackage": service{
Endpoints: endpoints{
"ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{},
"eu-west-3": endpoint{},
"sa-east-1": endpoint{},
"us-east-1": endpoint{},
"us-west-2": endpoint{},
},
},
"metering.marketplace": service{ "metering.marketplace": service{
Defaults: endpoint{ Defaults: endpoint{
CredentialScope: credentialScope{ CredentialScope: credentialScope{
@ -1349,6 +1510,7 @@ var awsPartition = partition{
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"eu-west-3": endpoint{},
"sa-east-1": endpoint{}, "sa-east-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
@ -1375,6 +1537,7 @@ var awsPartition = partition{
}, },
}, },
Endpoints: endpoints{ Endpoints: endpoints{
"eu-west-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
}, },
}, },
@ -1418,6 +1581,7 @@ var awsPartition = partition{
"ap-south-1": endpoint{}, "ap-south-1": endpoint{},
"ap-southeast-1": endpoint{}, "ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"ca-central-1": endpoint{},
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
@ -1432,9 +1596,15 @@ var awsPartition = partition{
"opsworks-cm": service{ "opsworks-cm": service{
Endpoints: endpoints{ Endpoints: endpoints{
"eu-west-1": endpoint{}, "ap-northeast-1": endpoint{},
"us-east-1": endpoint{}, "ap-southeast-1": endpoint{},
"us-west-2": endpoint{}, "ap-southeast-2": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-1": endpoint{},
"us-west-2": endpoint{},
}, },
}, },
"organizations": service{ "organizations": service{
@ -1525,10 +1695,31 @@ var awsPartition = partition{
"rekognition": service{ "rekognition": service{
Endpoints: endpoints{ Endpoints: endpoints{
"eu-west-1": endpoint{}, "ap-northeast-1": endpoint{},
"us-east-1": endpoint{}, "ap-southeast-2": endpoint{},
"us-east-2": endpoint{}, "eu-west-1": endpoint{},
"us-west-2": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"resource-groups": service{
Endpoints: endpoints{
"ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-south-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{},
"ca-central-1": endpoint{},
"eu-central-1": endpoint{},
"eu-west-1": endpoint{},
"eu-west-2": endpoint{},
"sa-east-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-1": endpoint{},
"us-west-2": endpoint{},
}, },
}, },
"route53": service{ "route53": service{
@ -1561,6 +1752,15 @@ var awsPartition = partition{
"us-east-1": endpoint{}, "us-east-1": endpoint{},
}, },
}, },
"runtime.sagemaker": service{
Endpoints: endpoints{
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"s3": service{ "s3": service{
PartitionEndpoint: "us-east-1", PartitionEndpoint: "us-east-1",
IsRegionalized: boxedTrue, IsRegionalized: boxedTrue,
@ -1620,6 +1820,15 @@ var awsPartition = partition{
}, },
}, },
}, },
"sagemaker": service{
Endpoints: endpoints{
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"sdb": service{ "sdb": service{
Defaults: endpoint{ Defaults: endpoint{
Protocols: []string{"http", "https"}, Protocols: []string{"http", "https"},
@ -1638,6 +1847,55 @@ var awsPartition = partition{
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
"serverlessrepo": service{
Defaults: endpoint{
Protocols: []string{"https"},
},
Endpoints: endpoints{
"ap-northeast-1": endpoint{
Protocols: []string{"https"},
},
"ap-northeast-2": endpoint{
Protocols: []string{"https"},
},
"ap-south-1": endpoint{
Protocols: []string{"https"},
},
"ap-southeast-1": endpoint{
Protocols: []string{"https"},
},
"ap-southeast-2": endpoint{
Protocols: []string{"https"},
},
"ca-central-1": endpoint{
Protocols: []string{"https"},
},
"eu-central-1": endpoint{
Protocols: []string{"https"},
},
"eu-west-1": endpoint{
Protocols: []string{"https"},
},
"eu-west-2": endpoint{
Protocols: []string{"https"},
},
"sa-east-1": endpoint{
Protocols: []string{"https"},
},
"us-east-1": endpoint{
Protocols: []string{"https"},
},
"us-east-2": endpoint{
Protocols: []string{"https"},
},
"us-west-1": endpoint{
Protocols: []string{"https"},
},
"us-west-2": endpoint{
Protocols: []string{"https"},
},
},
},
"servicecatalog": service{ "servicecatalog": service{
Endpoints: endpoints{ Endpoints: endpoints{
@ -1658,6 +1916,15 @@ var awsPartition = partition{
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
"servicediscovery": service{
Endpoints: endpoints{
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"shield": service{ "shield": service{
IsRegionalized: boxedFalse, IsRegionalized: boxedFalse,
Defaults: endpoint{ Defaults: endpoint{
@ -1674,10 +1941,12 @@ var awsPartition = partition{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{}, "ap-northeast-2": endpoint{},
"ap-south-1": endpoint{}, "ap-south-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"ca-central-1": endpoint{}, "ca-central-1": endpoint{},
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{},
"eu-west-3": endpoint{}, "eu-west-3": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
@ -1690,7 +1959,9 @@ var awsPartition = partition{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-south-1": endpoint{}, "ap-south-1": endpoint{},
"ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"ca-central-1": endpoint{},
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
@ -1930,6 +2201,7 @@ var awsPartition = partition{
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"eu-west-3": endpoint{},
"sa-east-1": endpoint{}, "sa-east-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-east-2": endpoint{}, "us-east-2": endpoint{},
@ -1937,6 +2209,16 @@ var awsPartition = partition{
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
"translate": service{
Defaults: endpoint{
Protocols: []string{"https"},
},
Endpoints: endpoints{
"us-east-1": endpoint{},
"us-east-2": endpoint{},
"us-west-2": endpoint{},
},
},
"waf": service{ "waf": service{
PartitionEndpoint: "aws-global", PartitionEndpoint: "aws-global",
IsRegionalized: boxedFalse, IsRegionalized: boxedFalse,
@ -1973,15 +2255,27 @@ var awsPartition = partition{
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
}, },
"workmail": service{
Defaults: endpoint{
Protocols: []string{"https"},
},
Endpoints: endpoints{
"eu-west-1": endpoint{},
"us-east-1": endpoint{},
"us-west-2": endpoint{},
},
},
"workspaces": service{ "workspaces": service{
Endpoints: endpoints{ Endpoints: endpoints{
"ap-northeast-1": endpoint{}, "ap-northeast-1": endpoint{},
"ap-northeast-2": endpoint{},
"ap-southeast-1": endpoint{}, "ap-southeast-1": endpoint{},
"ap-southeast-2": endpoint{}, "ap-southeast-2": endpoint{},
"eu-central-1": endpoint{}, "eu-central-1": endpoint{},
"eu-west-1": endpoint{}, "eu-west-1": endpoint{},
"eu-west-2": endpoint{}, "eu-west-2": endpoint{},
"sa-east-1": endpoint{},
"us-east-1": endpoint{}, "us-east-1": endpoint{},
"us-west-2": endpoint{}, "us-west-2": endpoint{},
}, },
@ -2350,7 +2644,8 @@ var awscnPartition = partition{
"tagging": service{ "tagging": service{
Endpoints: endpoints{ Endpoints: endpoints{
"cn-north-1": endpoint{}, "cn-north-1": endpoint{},
"cn-northwest-1": endpoint{},
}, },
}, },
}, },
@ -2513,6 +2808,12 @@ var awsusgovPartition = partition{
}, },
}, },
}, },
"es": service{
Endpoints: endpoints{
"us-gov-west-1": endpoint{},
},
},
"events": service{ "events": service{
Endpoints: endpoints{ Endpoints: endpoints{
@ -2564,12 +2865,28 @@ var awsusgovPartition = partition{
"us-gov-west-1": endpoint{}, "us-gov-west-1": endpoint{},
}, },
}, },
"metering.marketplace": service{
Defaults: endpoint{
CredentialScope: credentialScope{
Service: "aws-marketplace",
},
},
Endpoints: endpoints{
"us-gov-west-1": endpoint{},
},
},
"monitoring": service{ "monitoring": service{
Endpoints: endpoints{ Endpoints: endpoints{
"us-gov-west-1": endpoint{}, "us-gov-west-1": endpoint{},
}, },
}, },
"polly": service{
Endpoints: endpoints{
"us-gov-west-1": endpoint{},
},
},
"rds": service{ "rds": service{
Endpoints: endpoints{ Endpoints: endpoints{
@ -2664,6 +2981,12 @@ var awsusgovPartition = partition{
}, },
"swf": service{ "swf": service{
Endpoints: endpoints{
"us-gov-west-1": endpoint{},
},
},
"tagging": service{
Endpoints: endpoints{ Endpoints: endpoints{
"us-gov-west-1": endpoint{}, "us-gov-west-1": endpoint{},
}, },

View File

@ -347,6 +347,10 @@ type ResolvedEndpoint struct {
// The service name that should be used for signing requests. // The service name that should be used for signing requests.
SigningName string SigningName string
// States that the signing name for this endpoint was derived from metadata
// passed in, but was not explicitly modeled.
SigningNameDerived bool
// The signing method that should be used for signing requests. // The signing method that should be used for signing requests.
SigningMethod string SigningMethod string
} }

View File

@ -226,16 +226,20 @@ func (e endpoint) resolve(service, region, dnsSuffix string, defs []endpoint, op
if len(signingRegion) == 0 { if len(signingRegion) == 0 {
signingRegion = region signingRegion = region
} }
signingName := e.CredentialScope.Service signingName := e.CredentialScope.Service
var signingNameDerived bool
if len(signingName) == 0 { if len(signingName) == 0 {
signingName = service signingName = service
signingNameDerived = true
} }
return ResolvedEndpoint{ return ResolvedEndpoint{
URL: u, URL: u,
SigningRegion: signingRegion, SigningRegion: signingRegion,
SigningName: signingName, SigningName: signingName,
SigningMethod: getByPriority(e.SignatureVersions, signerPriority, defaultSigner), SigningNameDerived: signingNameDerived,
SigningMethod: getByPriority(e.SignatureVersions, signerPriority, defaultSigner),
} }
} }

View File

@ -3,6 +3,8 @@ package request
import ( import (
"io" "io"
"sync" "sync"
"github.com/aws/aws-sdk-go/internal/sdkio"
) )
// offsetReader is a thread-safe io.ReadCloser to prevent racing // offsetReader is a thread-safe io.ReadCloser to prevent racing
@ -15,7 +17,7 @@ type offsetReader struct {
func newOffsetReader(buf io.ReadSeeker, offset int64) *offsetReader { func newOffsetReader(buf io.ReadSeeker, offset int64) *offsetReader {
reader := &offsetReader{} reader := &offsetReader{}
buf.Seek(offset, 0) buf.Seek(offset, sdkio.SeekStart)
reader.buf = buf reader.buf = buf
return reader return reader

View File

@ -14,6 +14,7 @@ import (
"github.com/aws/aws-sdk-go/aws" "github.com/aws/aws-sdk-go/aws"
"github.com/aws/aws-sdk-go/aws/awserr" "github.com/aws/aws-sdk-go/aws/awserr"
"github.com/aws/aws-sdk-go/aws/client/metadata" "github.com/aws/aws-sdk-go/aws/client/metadata"
"github.com/aws/aws-sdk-go/internal/sdkio"
) )
const ( const (
@ -224,6 +225,9 @@ func (r *Request) SetContext(ctx aws.Context) {
// WillRetry returns if the request's can be retried. // WillRetry returns if the request's can be retried.
func (r *Request) WillRetry() bool { func (r *Request) WillRetry() bool {
if !aws.IsReaderSeekable(r.Body) && r.HTTPRequest.Body != NoBody {
return false
}
return r.Error != nil && aws.BoolValue(r.Retryable) && r.RetryCount < r.MaxRetries() return r.Error != nil && aws.BoolValue(r.Retryable) && r.RetryCount < r.MaxRetries()
} }
@ -255,6 +259,7 @@ func (r *Request) SetStringBody(s string) {
// SetReaderBody will set the request's body reader. // SetReaderBody will set the request's body reader.
func (r *Request) SetReaderBody(reader io.ReadSeeker) { func (r *Request) SetReaderBody(reader io.ReadSeeker) {
r.Body = reader r.Body = reader
r.BodyStart, _ = reader.Seek(0, sdkio.SeekCurrent) // Get the Bodies current offset.
r.ResetBody() r.ResetBody()
} }
@ -292,6 +297,11 @@ func (r *Request) PresignRequest(expire time.Duration) (string, http.Header, err
return getPresignedURL(r, expire) return getPresignedURL(r, expire)
} }
// IsPresigned returns true if the request represents a presigned API url.
func (r *Request) IsPresigned() bool {
return r.ExpireTime != 0
}
func getPresignedURL(r *Request, expire time.Duration) (string, http.Header, error) { func getPresignedURL(r *Request, expire time.Duration) (string, http.Header, error) {
if expire <= 0 { if expire <= 0 {
return "", nil, awserr.New( return "", nil, awserr.New(
@ -332,7 +342,7 @@ func debugLogReqError(r *Request, stage string, retrying bool, err error) {
// Build will build the request's object so it can be signed and sent // Build will build the request's object so it can be signed and sent
// to the service. Build will also validate all the request's parameters. // to the service. Build will also validate all the request's parameters.
// Anny additional build Handlers set on this request will be run // Any additional build Handlers set on this request will be run
// in the order they were set. // in the order they were set.
// //
// The request will only be built once. Multiple calls to build will have // The request will only be built once. Multiple calls to build will have
@ -393,7 +403,7 @@ func (r *Request) getNextRequestBody() (io.ReadCloser, error) {
// of the SDK if they used that field. // of the SDK if they used that field.
// //
// Related golang/go#18257 // Related golang/go#18257
l, err := computeBodyLength(r.Body) l, err := aws.SeekerLen(r.Body)
if err != nil { if err != nil {
return nil, awserr.New(ErrCodeSerialization, "failed to compute request body size", err) return nil, awserr.New(ErrCodeSerialization, "failed to compute request body size", err)
} }
@ -411,7 +421,8 @@ func (r *Request) getNextRequestBody() (io.ReadCloser, error) {
// Transfer-Encoding: chunked bodies for these methods. // Transfer-Encoding: chunked bodies for these methods.
// //
// This would only happen if a aws.ReaderSeekerCloser was used with // This would only happen if a aws.ReaderSeekerCloser was used with
// a io.Reader that was not also an io.Seeker. // a io.Reader that was not also an io.Seeker, or did not implement
// Len() method.
switch r.Operation.HTTPMethod { switch r.Operation.HTTPMethod {
case "GET", "HEAD", "DELETE": case "GET", "HEAD", "DELETE":
body = NoBody body = NoBody
@ -423,42 +434,6 @@ func (r *Request) getNextRequestBody() (io.ReadCloser, error) {
return body, nil return body, nil
} }
// Attempts to compute the length of the body of the reader using the
// io.Seeker interface. If the value is not seekable because of being
// a ReaderSeekerCloser without an unerlying Seeker -1 will be returned.
// If no error occurs the length of the body will be returned.
func computeBodyLength(r io.ReadSeeker) (int64, error) {
seekable := true
// Determine if the seeker is actually seekable. ReaderSeekerCloser
// hides the fact that a io.Readers might not actually be seekable.
switch v := r.(type) {
case aws.ReaderSeekerCloser:
seekable = v.IsSeeker()
case *aws.ReaderSeekerCloser:
seekable = v.IsSeeker()
}
if !seekable {
return -1, nil
}
curOffset, err := r.Seek(0, 1)
if err != nil {
return 0, err
}
endOffset, err := r.Seek(0, 2)
if err != nil {
return 0, err
}
_, err = r.Seek(curOffset, 0)
if err != nil {
return 0, err
}
return endOffset - curOffset, nil
}
// GetBody will return an io.ReadSeeker of the Request's underlying // GetBody will return an io.ReadSeeker of the Request's underlying
// input body with a concurrency safe wrapper. // input body with a concurrency safe wrapper.
func (r *Request) GetBody() io.ReadSeeker { func (r *Request) GetBody() io.ReadSeeker {

View File

@ -26,7 +26,7 @@ import (
// Sessions are safe to create service clients concurrently, but it is not safe // Sessions are safe to create service clients concurrently, but it is not safe
// to mutate the Session concurrently. // to mutate the Session concurrently.
// //
// The Session satisfies the service client's client.ClientConfigProvider. // The Session satisfies the service client's client.ConfigProvider.
type Session struct { type Session struct {
Config *aws.Config Config *aws.Config
Handlers request.Handlers Handlers request.Handlers
@ -571,11 +571,12 @@ func (s *Session) clientConfigWithErr(serviceName string, cfgs ...*aws.Config) (
} }
return client.Config{ return client.Config{
Config: s.Config, Config: s.Config,
Handlers: s.Handlers, Handlers: s.Handlers,
Endpoint: resolved.URL, Endpoint: resolved.URL,
SigningRegion: resolved.SigningRegion, SigningRegion: resolved.SigningRegion,
SigningName: resolved.SigningName, SigningNameDerived: resolved.SigningNameDerived,
SigningName: resolved.SigningName,
}, err }, err
} }
@ -595,10 +596,11 @@ func (s *Session) ClientConfigNoResolveEndpoint(cfgs ...*aws.Config) client.Conf
} }
return client.Config{ return client.Config{
Config: s.Config, Config: s.Config,
Handlers: s.Handlers, Handlers: s.Handlers,
Endpoint: resolved.URL, Endpoint: resolved.URL,
SigningRegion: resolved.SigningRegion, SigningRegion: resolved.SigningRegion,
SigningName: resolved.SigningName, SigningNameDerived: resolved.SigningNameDerived,
SigningName: resolved.SigningName,
} }
} }

View File

@ -71,6 +71,7 @@ import (
"github.com/aws/aws-sdk-go/aws" "github.com/aws/aws-sdk-go/aws"
"github.com/aws/aws-sdk-go/aws/credentials" "github.com/aws/aws-sdk-go/aws/credentials"
"github.com/aws/aws-sdk-go/aws/request" "github.com/aws/aws-sdk-go/aws/request"
"github.com/aws/aws-sdk-go/internal/sdkio"
"github.com/aws/aws-sdk-go/private/protocol/rest" "github.com/aws/aws-sdk-go/private/protocol/rest"
) )
@ -341,7 +342,9 @@ func (v4 Signer) signWithBody(r *http.Request, body io.ReadSeeker, service, regi
ctx.sanitizeHostForHeader() ctx.sanitizeHostForHeader()
ctx.assignAmzQueryValues() ctx.assignAmzQueryValues()
ctx.build(v4.DisableHeaderHoisting) if err := ctx.build(v4.DisableHeaderHoisting); err != nil {
return nil, err
}
// If the request is not presigned the body should be attached to it. This // If the request is not presigned the body should be attached to it. This
// prevents the confusion of wanting to send a signed request without // prevents the confusion of wanting to send a signed request without
@ -503,11 +506,13 @@ func (v4 *Signer) logSigningInfo(ctx *signingCtx) {
v4.Logger.Log(msg) v4.Logger.Log(msg)
} }
func (ctx *signingCtx) build(disableHeaderHoisting bool) { func (ctx *signingCtx) build(disableHeaderHoisting bool) error {
ctx.buildTime() // no depends ctx.buildTime() // no depends
ctx.buildCredentialString() // no depends ctx.buildCredentialString() // no depends
ctx.buildBodyDigest() if err := ctx.buildBodyDigest(); err != nil {
return err
}
unsignedHeaders := ctx.Request.Header unsignedHeaders := ctx.Request.Header
if ctx.isPresign { if ctx.isPresign {
@ -535,6 +540,8 @@ func (ctx *signingCtx) build(disableHeaderHoisting bool) {
} }
ctx.Request.Header.Set("Authorization", strings.Join(parts, ", ")) ctx.Request.Header.Set("Authorization", strings.Join(parts, ", "))
} }
return nil
} }
func (ctx *signingCtx) buildTime() { func (ctx *signingCtx) buildTime() {
@ -661,7 +668,7 @@ func (ctx *signingCtx) buildSignature() {
ctx.signature = hex.EncodeToString(signature) ctx.signature = hex.EncodeToString(signature)
} }
func (ctx *signingCtx) buildBodyDigest() { func (ctx *signingCtx) buildBodyDigest() error {
hash := ctx.Request.Header.Get("X-Amz-Content-Sha256") hash := ctx.Request.Header.Get("X-Amz-Content-Sha256")
if hash == "" { if hash == "" {
if ctx.unsignedPayload || (ctx.isPresign && ctx.ServiceName == "s3") { if ctx.unsignedPayload || (ctx.isPresign && ctx.ServiceName == "s3") {
@ -669,6 +676,9 @@ func (ctx *signingCtx) buildBodyDigest() {
} else if ctx.Body == nil { } else if ctx.Body == nil {
hash = emptyStringSHA256 hash = emptyStringSHA256
} else { } else {
if !aws.IsReaderSeekable(ctx.Body) {
return fmt.Errorf("cannot use unseekable request body %T, for signed request with body", ctx.Body)
}
hash = hex.EncodeToString(makeSha256Reader(ctx.Body)) hash = hex.EncodeToString(makeSha256Reader(ctx.Body))
} }
if ctx.unsignedPayload || ctx.ServiceName == "s3" || ctx.ServiceName == "glacier" { if ctx.unsignedPayload || ctx.ServiceName == "s3" || ctx.ServiceName == "glacier" {
@ -676,6 +686,8 @@ func (ctx *signingCtx) buildBodyDigest() {
} }
} }
ctx.bodyDigest = hash ctx.bodyDigest = hash
return nil
} }
// isRequestSigned returns if the request is currently signed or presigned // isRequestSigned returns if the request is currently signed or presigned
@ -715,8 +727,8 @@ func makeSha256(data []byte) []byte {
func makeSha256Reader(reader io.ReadSeeker) []byte { func makeSha256Reader(reader io.ReadSeeker) []byte {
hash := sha256.New() hash := sha256.New()
start, _ := reader.Seek(0, 1) start, _ := reader.Seek(0, sdkio.SeekCurrent)
defer reader.Seek(start, 0) defer reader.Seek(start, sdkio.SeekStart)
io.Copy(hash, reader) io.Copy(hash, reader)
return hash.Sum(nil) return hash.Sum(nil)

View File

@ -3,6 +3,8 @@ package aws
import ( import (
"io" "io"
"sync" "sync"
"github.com/aws/aws-sdk-go/internal/sdkio"
) )
// ReadSeekCloser wraps a io.Reader returning a ReaderSeekerCloser. Should // ReadSeekCloser wraps a io.Reader returning a ReaderSeekerCloser. Should
@ -22,6 +24,22 @@ type ReaderSeekerCloser struct {
r io.Reader r io.Reader
} }
// IsReaderSeekable returns if the underlying reader type can be seeked. A
// io.Reader might not actually be seekable if it is the ReaderSeekerCloser
// type.
func IsReaderSeekable(r io.Reader) bool {
switch v := r.(type) {
case ReaderSeekerCloser:
return v.IsSeeker()
case *ReaderSeekerCloser:
return v.IsSeeker()
case io.ReadSeeker:
return true
default:
return false
}
}
// Read reads from the reader up to size of p. The number of bytes read, and // Read reads from the reader up to size of p. The number of bytes read, and
// error if it occurred will be returned. // error if it occurred will be returned.
// //
@ -56,6 +74,71 @@ func (r ReaderSeekerCloser) IsSeeker() bool {
return ok return ok
} }
// HasLen returns the length of the underlying reader if the value implements
// the Len() int method.
func (r ReaderSeekerCloser) HasLen() (int, bool) {
type lenner interface {
Len() int
}
if lr, ok := r.r.(lenner); ok {
return lr.Len(), true
}
return 0, false
}
// GetLen returns the length of the bytes remaining in the underlying reader.
// Checks first for Len(), then io.Seeker to determine the size of the
// underlying reader.
//
// Will return -1 if the length cannot be determined.
func (r ReaderSeekerCloser) GetLen() (int64, error) {
if l, ok := r.HasLen(); ok {
return int64(l), nil
}
if s, ok := r.r.(io.Seeker); ok {
return seekerLen(s)
}
return -1, nil
}
// SeekerLen attempts to get the number of bytes remaining at the seeker's
// current position. Returns the number of bytes remaining or error.
func SeekerLen(s io.Seeker) (int64, error) {
// Determine if the seeker is actually seekable. ReaderSeekerCloser
// hides the fact that a io.Readers might not actually be seekable.
switch v := s.(type) {
case ReaderSeekerCloser:
return v.GetLen()
case *ReaderSeekerCloser:
return v.GetLen()
}
return seekerLen(s)
}
func seekerLen(s io.Seeker) (int64, error) {
curOffset, err := s.Seek(0, sdkio.SeekCurrent)
if err != nil {
return 0, err
}
endOffset, err := s.Seek(0, sdkio.SeekEnd)
if err != nil {
return 0, err
}
_, err = s.Seek(curOffset, sdkio.SeekStart)
if err != nil {
return 0, err
}
return endOffset - curOffset, nil
}
// Close closes the ReaderSeekerCloser. // Close closes the ReaderSeekerCloser.
// //
// If the ReaderSeekerCloser is not an io.Closer nothing will be done. // If the ReaderSeekerCloser is not an io.Closer nothing will be done.

View File

@ -5,4 +5,4 @@ package aws
const SDKName = "aws-sdk-go" const SDKName = "aws-sdk-go"
// SDKVersion is the version of this SDK // SDKVersion is the version of this SDK
const SDKVersion = "1.12.75" const SDKVersion = "1.13.28"

View File

@ -0,0 +1,10 @@
// +build !go1.7
package sdkio
// Copy of Go 1.7 io package's Seeker constants.
const (
SeekStart = 0 // seek relative to the origin of the file
SeekCurrent = 1 // seek relative to the current offset
SeekEnd = 2 // seek relative to the end
)

View File

@ -0,0 +1,12 @@
// +build go1.7
package sdkio
import "io"
// Alias for Go 1.7 io package Seeker constants
const (
SeekStart = io.SeekStart // seek relative to the origin of the file
SeekCurrent = io.SeekCurrent // seek relative to the current offset
SeekEnd = io.SeekEnd // seek relative to the end
)

View File

@ -0,0 +1,29 @@
package sdkrand
import (
"math/rand"
"sync"
"time"
)
// lockedSource is a thread-safe implementation of rand.Source
type lockedSource struct {
lk sync.Mutex
src rand.Source
}
func (r *lockedSource) Int63() (n int64) {
r.lk.Lock()
n = r.src.Int63()
r.lk.Unlock()
return
}
func (r *lockedSource) Seed(seed int64) {
r.lk.Lock()
r.src.Seed(seed)
r.lk.Unlock()
}
// SeededRand is a new RNG using a thread safe implementation of rand.Source
var SeededRand = rand.New(&lockedSource{src: rand.NewSource(time.Now().UnixNano())})

View File

@ -24,7 +24,7 @@ func Build(r *request.Request) {
r.Error = awserr.New("SerializationError", "failed encoding EC2 Query request", err) r.Error = awserr.New("SerializationError", "failed encoding EC2 Query request", err)
} }
if r.ExpireTime == 0 { if !r.IsPresigned() {
r.HTTPRequest.Method = "POST" r.HTTPRequest.Method = "POST"
r.HTTPRequest.Header.Set("Content-Type", "application/x-www-form-urlencoded; charset=utf-8") r.HTTPRequest.Header.Set("Content-Type", "application/x-www-form-urlencoded; charset=utf-8")
r.SetBufferBody([]byte(body.Encode())) r.SetBufferBody([]byte(body.Encode()))

View File

@ -25,7 +25,7 @@ func Build(r *request.Request) {
return return
} }
if r.ExpireTime == 0 { if !r.IsPresigned() {
r.HTTPRequest.Method = "POST" r.HTTPRequest.Method = "POST"
r.HTTPRequest.Header.Set("Content-Type", "application/x-www-form-urlencoded; charset=utf-8") r.HTTPRequest.Header.Set("Content-Type", "application/x-www-form-urlencoded; charset=utf-8")
r.SetBufferBody([]byte(body.Encode())) r.SetBufferBody([]byte(body.Encode()))

File diff suppressed because it is too large Load Diff

View File

@ -7,7 +7,7 @@
// //
// You can use ACM to manage SSL/TLS certificates for your AWS-based websites // You can use ACM to manage SSL/TLS certificates for your AWS-based websites
// and applications. For general information about using ACM, see the AWS Certificate // and applications. For general information about using ACM, see the AWS Certificate
// Manager User Guide (http://docs.aws.amazon.com/acm/latest/userguide/). // Manager User Guide (http://docs.aws.amazon.com/http:/docs.aws.amazon.comacm/latest/userguide/).
// //
// See https://docs.aws.amazon.com/goto/WebAPI/acm-2015-12-08 for more information on this service. // See https://docs.aws.amazon.com/goto/WebAPI/acm-2015-12-08 for more information on this service.
// //

View File

@ -19,10 +19,7 @@ const (
// ErrCodeInvalidStateException for service response error code // ErrCodeInvalidStateException for service response error code
// "InvalidStateException". // "InvalidStateException".
// //
// Processing has reached an invalid state. For example, this exception can // Processing has reached an invalid state.
// occur if the specified domain is not using email validation, or the current
// certificate status does not permit the requested operation. See the exception
// message returned by ACM to determine which state is not valid.
ErrCodeInvalidStateException = "InvalidStateException" ErrCodeInvalidStateException = "InvalidStateException"
// ErrCodeInvalidTagException for service response error code // ErrCodeInvalidTagException for service response error code
@ -35,11 +32,7 @@ const (
// ErrCodeLimitExceededException for service response error code // ErrCodeLimitExceededException for service response error code
// "LimitExceededException". // "LimitExceededException".
// //
// An ACM limit has been exceeded. For example, you may have input more domains // An ACM limit has been exceeded.
// than are allowed or you've requested too many certificates for your account.
// See the exception message returned by ACM to determine which limit you have
// violated. For more information about ACM limits, see the Limits (http://docs.aws.amazon.com/acm/latest/userguide/acm-limits.html)
// topic.
ErrCodeLimitExceededException = "LimitExceededException" ErrCodeLimitExceededException = "LimitExceededException"
// ErrCodeRequestInProgressException for service response error code // ErrCodeRequestInProgressException for service response error code
@ -59,7 +52,7 @@ const (
// ErrCodeResourceNotFoundException for service response error code // ErrCodeResourceNotFoundException for service response error code
// "ResourceNotFoundException". // "ResourceNotFoundException".
// //
// The specified certificate cannot be found in the caller's account, or the // The specified certificate cannot be found in the caller's account or the
// caller's account cannot be found. // caller's account cannot be found.
ErrCodeResourceNotFoundException = "ResourceNotFoundException" ErrCodeResourceNotFoundException = "ResourceNotFoundException"

File diff suppressed because it is too large Load Diff

View File

@ -15,7 +15,7 @@ const opDeleteScalingPolicy = "DeleteScalingPolicy"
// DeleteScalingPolicyRequest generates a "aws/request.Request" representing the // DeleteScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteScalingPolicy operation. The "output" return // client's request for the DeleteScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -115,7 +115,7 @@ const opDeleteScheduledAction = "DeleteScheduledAction"
// DeleteScheduledActionRequest generates a "aws/request.Request" representing the // DeleteScheduledActionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteScheduledAction operation. The "output" return // client's request for the DeleteScheduledAction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -209,7 +209,7 @@ const opDeregisterScalableTarget = "DeregisterScalableTarget"
// DeregisterScalableTargetRequest generates a "aws/request.Request" representing the // DeregisterScalableTargetRequest generates a "aws/request.Request" representing the
// client's request for the DeregisterScalableTarget operation. The "output" return // client's request for the DeregisterScalableTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -308,7 +308,7 @@ const opDescribeScalableTargets = "DescribeScalableTargets"
// DescribeScalableTargetsRequest generates a "aws/request.Request" representing the // DescribeScalableTargetsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScalableTargets operation. The "output" return // client's request for the DescribeScalableTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -460,7 +460,7 @@ const opDescribeScalingActivities = "DescribeScalingActivities"
// DescribeScalingActivitiesRequest generates a "aws/request.Request" representing the // DescribeScalingActivitiesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScalingActivities operation. The "output" return // client's request for the DescribeScalingActivities operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -614,7 +614,7 @@ const opDescribeScalingPolicies = "DescribeScalingPolicies"
// DescribeScalingPoliciesRequest generates a "aws/request.Request" representing the // DescribeScalingPoliciesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScalingPolicies operation. The "output" return // client's request for the DescribeScalingPolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -774,7 +774,7 @@ const opDescribeScheduledActions = "DescribeScheduledActions"
// DescribeScheduledActionsRequest generates a "aws/request.Request" representing the // DescribeScheduledActionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScheduledActions operation. The "output" return // client's request for the DescribeScheduledActions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -870,7 +870,7 @@ const opPutScalingPolicy = "PutScalingPolicy"
// PutScalingPolicyRequest generates a "aws/request.Request" representing the // PutScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutScalingPolicy operation. The "output" return // client's request for the PutScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -988,7 +988,7 @@ const opPutScheduledAction = "PutScheduledAction"
// PutScheduledActionRequest generates a "aws/request.Request" representing the // PutScheduledActionRequest generates a "aws/request.Request" representing the
// client's request for the PutScheduledAction operation. The "output" return // client's request for the PutScheduledAction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1100,7 +1100,7 @@ const opRegisterScalableTarget = "RegisterScalableTarget"
// RegisterScalableTargetRequest generates a "aws/request.Request" representing the // RegisterScalableTargetRequest generates a "aws/request.Request" representing the
// client's request for the RegisterScalableTarget operation. The "output" return // client's request for the RegisterScalableTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1359,6 +1359,9 @@ type DeleteScalingPolicyInput struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -1391,6 +1394,9 @@ type DeleteScalingPolicyInput struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -1505,6 +1511,9 @@ type DeleteScheduledActionInput struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -1536,6 +1545,9 @@ type DeleteScheduledActionInput struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The name of the scheduled action. // The name of the scheduled action.
@ -1651,6 +1663,9 @@ type DeregisterScalableTargetInput struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -1683,6 +1698,9 @@ type DeregisterScalableTargetInput struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -1797,6 +1815,9 @@ type DescribeScalableTargetsInput struct {
// //
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
//
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
ResourceIds []*string `type:"list"` ResourceIds []*string `type:"list"`
// The scalable dimension associated with the scalable target. This string consists // The scalable dimension associated with the scalable target. This string consists
@ -1828,6 +1849,9 @@ type DescribeScalableTargetsInput struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The namespace of the AWS service. For more information, see AWS Service Namespaces // The namespace of the AWS service. For more information, see AWS Service Namespaces
@ -1963,6 +1987,9 @@ type DescribeScalingActivitiesInput struct {
// //
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
//
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
ResourceId *string `min:"1" type:"string"` ResourceId *string `min:"1" type:"string"`
// The scalable dimension. This string consists of the service namespace, resource // The scalable dimension. This string consists of the service namespace, resource
@ -1994,6 +2021,9 @@ type DescribeScalingActivitiesInput struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The namespace of the AWS service. For more information, see AWS Service Namespaces // The namespace of the AWS service. For more information, see AWS Service Namespaces
@ -2135,6 +2165,9 @@ type DescribeScalingPoliciesInput struct {
// //
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
//
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
ResourceId *string `min:"1" type:"string"` ResourceId *string `min:"1" type:"string"`
// The scalable dimension. This string consists of the service namespace, resource // The scalable dimension. This string consists of the service namespace, resource
@ -2166,6 +2199,9 @@ type DescribeScalingPoliciesInput struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The namespace of the AWS service. For more information, see AWS Service Namespaces // The namespace of the AWS service. For more information, see AWS Service Namespaces
@ -2310,6 +2346,9 @@ type DescribeScheduledActionsInput struct {
// //
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
//
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
ResourceId *string `min:"1" type:"string"` ResourceId *string `min:"1" type:"string"`
// The scalable dimension. This string consists of the service namespace, resource // The scalable dimension. This string consists of the service namespace, resource
@ -2341,6 +2380,9 @@ type DescribeScheduledActionsInput struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The names of the scheduled actions to describe. // The names of the scheduled actions to describe.
@ -2604,6 +2646,9 @@ type PutScalingPolicyInput struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -2636,6 +2681,9 @@ type PutScalingPolicyInput struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -2813,6 +2861,9 @@ type PutScheduledActionInput struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -2845,6 +2896,9 @@ type PutScheduledActionInput struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The new minimum and maximum capacity. You can set both values or just one. // The new minimum and maximum capacity. You can set both values or just one.
@ -3021,6 +3075,9 @@ type RegisterScalableTargetInput struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -3062,6 +3119,9 @@ type RegisterScalableTargetInput struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -3201,6 +3261,9 @@ type ScalableTarget struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -3239,6 +3302,9 @@ type ScalableTarget struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -3384,6 +3450,9 @@ type ScalingActivity struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -3416,6 +3485,9 @@ type ScalingActivity struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -3567,6 +3639,9 @@ type ScalingPolicy struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -3599,6 +3674,9 @@ type ScalingPolicy struct {
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
// //
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
//
// ScalableDimension is a required field // ScalableDimension is a required field
ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"` ScalableDimension *string `type:"string" required:"true" enum:"ScalableDimension"`
@ -3722,6 +3800,9 @@ type ScheduledAction struct {
// * Aurora DB cluster - The resource type is cluster and the unique identifier // * Aurora DB cluster - The resource type is cluster and the unique identifier
// is the cluster name. Example: cluster:my-db-cluster. // is the cluster name. Example: cluster:my-db-cluster.
// //
// * Amazon SageMaker endpoint variants - The resource type is variant and
// the unique identifier is the resource ID. Example: endpoint/my-end-point/variant/KMeansClustering.
//
// ResourceId is a required field // ResourceId is a required field
ResourceId *string `min:"1" type:"string" required:"true"` ResourceId *string `min:"1" type:"string" required:"true"`
@ -3753,6 +3834,9 @@ type ScheduledAction struct {
// //
// * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora // * rds:cluster:ReadReplicaCount - The count of Aurora Replicas in an Aurora
// DB cluster. Available for Aurora MySQL-compatible edition. // DB cluster. Available for Aurora MySQL-compatible edition.
//
// * sagemaker:variant:DesiredInstanceCount - The number of EC2 instances
// for an Amazon SageMaker model endpoint variant.
ScalableDimension *string `type:"string" enum:"ScalableDimension"` ScalableDimension *string `type:"string" enum:"ScalableDimension"`
// The new minimum and maximum capacity. You can set both values or just one. // The new minimum and maximum capacity. You can set both values or just one.
@ -4077,7 +4161,7 @@ func (s *StepScalingPolicyConfiguration) SetStepAdjustments(v []*StepAdjustment)
type TargetTrackingScalingPolicyConfiguration struct { type TargetTrackingScalingPolicyConfiguration struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// Reserved for future use. // A customized metric.
CustomizedMetricSpecification *CustomizedMetricSpecification `type:"structure"` CustomizedMetricSpecification *CustomizedMetricSpecification `type:"structure"`
// Indicates whether scale in by the target tracking policy is disabled. If // Indicates whether scale in by the target tracking policy is disabled. If
@ -4249,6 +4333,9 @@ const (
// MetricTypeEc2spotFleetRequestAverageNetworkOut is a MetricType enum value // MetricTypeEc2spotFleetRequestAverageNetworkOut is a MetricType enum value
MetricTypeEc2spotFleetRequestAverageNetworkOut = "EC2SpotFleetRequestAverageNetworkOut" MetricTypeEc2spotFleetRequestAverageNetworkOut = "EC2SpotFleetRequestAverageNetworkOut"
// MetricTypeSageMakerVariantInvocationsPerInstance is a MetricType enum value
MetricTypeSageMakerVariantInvocationsPerInstance = "SageMakerVariantInvocationsPerInstance"
// MetricTypeEcsserviceAverageCpuutilization is a MetricType enum value // MetricTypeEcsserviceAverageCpuutilization is a MetricType enum value
MetricTypeEcsserviceAverageCpuutilization = "ECSServiceAverageCPUUtilization" MetricTypeEcsserviceAverageCpuutilization = "ECSServiceAverageCPUUtilization"
@ -4291,6 +4378,9 @@ const (
// ScalableDimensionRdsClusterReadReplicaCount is a ScalableDimension enum value // ScalableDimensionRdsClusterReadReplicaCount is a ScalableDimension enum value
ScalableDimensionRdsClusterReadReplicaCount = "rds:cluster:ReadReplicaCount" ScalableDimensionRdsClusterReadReplicaCount = "rds:cluster:ReadReplicaCount"
// ScalableDimensionSagemakerVariantDesiredInstanceCount is a ScalableDimension enum value
ScalableDimensionSagemakerVariantDesiredInstanceCount = "sagemaker:variant:DesiredInstanceCount"
) )
const ( const (
@ -4331,4 +4421,7 @@ const (
// ServiceNamespaceRds is a ServiceNamespace enum value // ServiceNamespaceRds is a ServiceNamespace enum value
ServiceNamespaceRds = "rds" ServiceNamespaceRds = "rds"
// ServiceNamespaceSagemaker is a ServiceNamespace enum value
ServiceNamespaceSagemaker = "sagemaker"
) )

View File

@ -3,9 +3,9 @@
// Package applicationautoscaling provides the client and types for making API // Package applicationautoscaling provides the client and types for making API
// requests to Application Auto Scaling. // requests to Application Auto Scaling.
// //
// With Application Auto Scaling, you can automatically scale your AWS resources. // With Application Auto Scaling, you can configure automatic scaling for your
// The experience is similar to that of Auto Scaling (https://aws.amazon.com/autoscaling/). // scalable AWS resources. You can use Application Auto Scaling to accomplish
// You can use Application Auto Scaling to accomplish the following tasks: // the following tasks:
// //
// * Define scaling policies to automatically scale your AWS resources // * Define scaling policies to automatically scale your AWS resources
// //
@ -41,6 +41,13 @@
// * Amazon Aurora Replicas. For more information, see Using Amazon Aurora // * Amazon Aurora Replicas. For more information, see Using Amazon Aurora
// Auto Scaling with Aurora Replicas (http://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/Aurora.Integrating.AutoScaling.html). // Auto Scaling with Aurora Replicas (http://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/Aurora.Integrating.AutoScaling.html).
// //
// * Amazon SageMaker endpoints. For more information, see Automatically
// Scaling Amazon SageMaker Models (http://docs.aws.amazon.com/sagemaker/latest/dg/endpoint-auto-scaling.html).
//
// To configure automatic scaling for multiple resources across multiple services,
// use AWS Auto Scaling to create a scaling plan for your application. For more
// information, see AWS Auto Scaling (http://aws.amazon.com/autoscaling).
//
// For a list of supported regions, see AWS Regions and Endpoints: Application // For a list of supported regions, see AWS Regions and Endpoints: Application
// Auto Scaling (http://docs.aws.amazon.com/general/latest/gr/rande.html#as-app_region) // Auto Scaling (http://docs.aws.amazon.com/general/latest/gr/rande.html#as-app_region)
// in the AWS General Reference. // in the AWS General Reference.

View File

@ -45,14 +45,14 @@ const (
// svc := applicationautoscaling.New(mySession, aws.NewConfig().WithRegion("us-west-2")) // svc := applicationautoscaling.New(mySession, aws.NewConfig().WithRegion("us-west-2"))
func New(p client.ConfigProvider, cfgs ...*aws.Config) *ApplicationAutoScaling { func New(p client.ConfigProvider, cfgs ...*aws.Config) *ApplicationAutoScaling {
c := p.ClientConfig(EndpointsID, cfgs...) c := p.ClientConfig(EndpointsID, cfgs...)
if c.SigningNameDerived || len(c.SigningName) == 0 {
c.SigningName = "application-autoscaling"
}
return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName) return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName)
} }
// newClient creates, initializes and returns a new service client instance. // newClient creates, initializes and returns a new service client instance.
func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *ApplicationAutoScaling { func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *ApplicationAutoScaling {
if len(signingName) == 0 {
signingName = "application-autoscaling"
}
svc := &ApplicationAutoScaling{ svc := &ApplicationAutoScaling{
Client: client.New( Client: client.New(
cfg, cfg,

View File

@ -12,7 +12,7 @@ const opCreateApiKey = "CreateApiKey"
// CreateApiKeyRequest generates a "aws/request.Request" representing the // CreateApiKeyRequest generates a "aws/request.Request" representing the
// client's request for the CreateApiKey operation. The "output" return // client's request for the CreateApiKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -115,7 +115,7 @@ const opCreateDataSource = "CreateDataSource"
// CreateDataSourceRequest generates a "aws/request.Request" representing the // CreateDataSourceRequest generates a "aws/request.Request" representing the
// client's request for the CreateDataSource operation. The "output" return // client's request for the CreateDataSource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -209,7 +209,7 @@ const opCreateGraphqlApi = "CreateGraphqlApi"
// CreateGraphqlApiRequest generates a "aws/request.Request" representing the // CreateGraphqlApiRequest generates a "aws/request.Request" representing the
// client's request for the CreateGraphqlApi operation. The "output" return // client's request for the CreateGraphqlApi operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -308,7 +308,7 @@ const opCreateResolver = "CreateResolver"
// CreateResolverRequest generates a "aws/request.Request" representing the // CreateResolverRequest generates a "aws/request.Request" representing the
// client's request for the CreateResolver operation. The "output" return // client's request for the CreateResolver operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -401,7 +401,7 @@ const opCreateType = "CreateType"
// CreateTypeRequest generates a "aws/request.Request" representing the // CreateTypeRequest generates a "aws/request.Request" representing the
// client's request for the CreateType operation. The "output" return // client's request for the CreateType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -495,7 +495,7 @@ const opDeleteApiKey = "DeleteApiKey"
// DeleteApiKeyRequest generates a "aws/request.Request" representing the // DeleteApiKeyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteApiKey operation. The "output" return // client's request for the DeleteApiKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -585,7 +585,7 @@ const opDeleteDataSource = "DeleteDataSource"
// DeleteDataSourceRequest generates a "aws/request.Request" representing the // DeleteDataSourceRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDataSource operation. The "output" return // client's request for the DeleteDataSource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -679,7 +679,7 @@ const opDeleteGraphqlApi = "DeleteGraphqlApi"
// DeleteGraphqlApiRequest generates a "aws/request.Request" representing the // DeleteGraphqlApiRequest generates a "aws/request.Request" representing the
// client's request for the DeleteGraphqlApi operation. The "output" return // client's request for the DeleteGraphqlApi operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -773,7 +773,7 @@ const opDeleteResolver = "DeleteResolver"
// DeleteResolverRequest generates a "aws/request.Request" representing the // DeleteResolverRequest generates a "aws/request.Request" representing the
// client's request for the DeleteResolver operation. The "output" return // client's request for the DeleteResolver operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -863,7 +863,7 @@ const opDeleteType = "DeleteType"
// DeleteTypeRequest generates a "aws/request.Request" representing the // DeleteTypeRequest generates a "aws/request.Request" representing the
// client's request for the DeleteType operation. The "output" return // client's request for the DeleteType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -957,7 +957,7 @@ const opGetDataSource = "GetDataSource"
// GetDataSourceRequest generates a "aws/request.Request" representing the // GetDataSourceRequest generates a "aws/request.Request" representing the
// client's request for the GetDataSource operation. The "output" return // client's request for the GetDataSource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1051,7 +1051,7 @@ const opGetGraphqlApi = "GetGraphqlApi"
// GetGraphqlApiRequest generates a "aws/request.Request" representing the // GetGraphqlApiRequest generates a "aws/request.Request" representing the
// client's request for the GetGraphqlApi operation. The "output" return // client's request for the GetGraphqlApi operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1141,7 +1141,7 @@ const opGetIntrospectionSchema = "GetIntrospectionSchema"
// GetIntrospectionSchemaRequest generates a "aws/request.Request" representing the // GetIntrospectionSchemaRequest generates a "aws/request.Request" representing the
// client's request for the GetIntrospectionSchema operation. The "output" return // client's request for the GetIntrospectionSchema operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1230,7 +1230,7 @@ const opGetResolver = "GetResolver"
// GetResolverRequest generates a "aws/request.Request" representing the // GetResolverRequest generates a "aws/request.Request" representing the
// client's request for the GetResolver operation. The "output" return // client's request for the GetResolver operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1317,7 +1317,7 @@ const opGetSchemaCreationStatus = "GetSchemaCreationStatus"
// GetSchemaCreationStatusRequest generates a "aws/request.Request" representing the // GetSchemaCreationStatusRequest generates a "aws/request.Request" representing the
// client's request for the GetSchemaCreationStatus operation. The "output" return // client's request for the GetSchemaCreationStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1407,7 +1407,7 @@ const opGetType = "GetType"
// GetTypeRequest generates a "aws/request.Request" representing the // GetTypeRequest generates a "aws/request.Request" representing the
// client's request for the GetType operation. The "output" return // client's request for the GetType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1501,7 +1501,7 @@ const opListApiKeys = "ListApiKeys"
// ListApiKeysRequest generates a "aws/request.Request" representing the // ListApiKeysRequest generates a "aws/request.Request" representing the
// client's request for the ListApiKeys operation. The "output" return // client's request for the ListApiKeys operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1591,7 +1591,7 @@ const opListDataSources = "ListDataSources"
// ListDataSourcesRequest generates a "aws/request.Request" representing the // ListDataSourcesRequest generates a "aws/request.Request" representing the
// client's request for the ListDataSources operation. The "output" return // client's request for the ListDataSources operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1681,7 +1681,7 @@ const opListGraphqlApis = "ListGraphqlApis"
// ListGraphqlApisRequest generates a "aws/request.Request" representing the // ListGraphqlApisRequest generates a "aws/request.Request" representing the
// client's request for the ListGraphqlApis operation. The "output" return // client's request for the ListGraphqlApis operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1767,7 +1767,7 @@ const opListResolvers = "ListResolvers"
// ListResolversRequest generates a "aws/request.Request" representing the // ListResolversRequest generates a "aws/request.Request" representing the
// client's request for the ListResolvers operation. The "output" return // client's request for the ListResolvers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1857,7 +1857,7 @@ const opListTypes = "ListTypes"
// ListTypesRequest generates a "aws/request.Request" representing the // ListTypesRequest generates a "aws/request.Request" representing the
// client's request for the ListTypes operation. The "output" return // client's request for the ListTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1951,7 +1951,7 @@ const opStartSchemaCreation = "StartSchemaCreation"
// StartSchemaCreationRequest generates a "aws/request.Request" representing the // StartSchemaCreationRequest generates a "aws/request.Request" representing the
// client's request for the StartSchemaCreation operation. The "output" return // client's request for the StartSchemaCreation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2047,7 +2047,7 @@ const opUpdateApiKey = "UpdateApiKey"
// UpdateApiKeyRequest generates a "aws/request.Request" representing the // UpdateApiKeyRequest generates a "aws/request.Request" representing the
// client's request for the UpdateApiKey operation. The "output" return // client's request for the UpdateApiKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2143,7 +2143,7 @@ const opUpdateDataSource = "UpdateDataSource"
// UpdateDataSourceRequest generates a "aws/request.Request" representing the // UpdateDataSourceRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDataSource operation. The "output" return // client's request for the UpdateDataSource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2237,7 +2237,7 @@ const opUpdateGraphqlApi = "UpdateGraphqlApi"
// UpdateGraphqlApiRequest generates a "aws/request.Request" representing the // UpdateGraphqlApiRequest generates a "aws/request.Request" representing the
// client's request for the UpdateGraphqlApi operation. The "output" return // client's request for the UpdateGraphqlApi operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2331,7 +2331,7 @@ const opUpdateResolver = "UpdateResolver"
// UpdateResolverRequest generates a "aws/request.Request" representing the // UpdateResolverRequest generates a "aws/request.Request" representing the
// client's request for the UpdateResolver operation. The "output" return // client's request for the UpdateResolver operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2421,7 +2421,7 @@ const opUpdateType = "UpdateType"
// UpdateTypeRequest generates a "aws/request.Request" representing the // UpdateTypeRequest generates a "aws/request.Request" representing the
// client's request for the UpdateType operation. The "output" return // client's request for the UpdateType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -45,14 +45,14 @@ const (
// svc := appsync.New(mySession, aws.NewConfig().WithRegion("us-west-2")) // svc := appsync.New(mySession, aws.NewConfig().WithRegion("us-west-2"))
func New(p client.ConfigProvider, cfgs ...*aws.Config) *AppSync { func New(p client.ConfigProvider, cfgs ...*aws.Config) *AppSync {
c := p.ClientConfig(EndpointsID, cfgs...) c := p.ClientConfig(EndpointsID, cfgs...)
if c.SigningNameDerived || len(c.SigningName) == 0 {
c.SigningName = "appsync"
}
return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName) return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName)
} }
// newClient creates, initializes and returns a new service client instance. // newClient creates, initializes and returns a new service client instance.
func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *AppSync { func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *AppSync {
if len(signingName) == 0 {
signingName = "appsync"
}
svc := &AppSync{ svc := &AppSync{
Client: client.New( Client: client.New(
cfg, cfg,

View File

@ -14,7 +14,7 @@ const opBatchGetNamedQuery = "BatchGetNamedQuery"
// BatchGetNamedQueryRequest generates a "aws/request.Request" representing the // BatchGetNamedQueryRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetNamedQuery operation. The "output" return // client's request for the BatchGetNamedQuery operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -104,7 +104,7 @@ const opBatchGetQueryExecution = "BatchGetQueryExecution"
// BatchGetQueryExecutionRequest generates a "aws/request.Request" representing the // BatchGetQueryExecutionRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetQueryExecution operation. The "output" return // client's request for the BatchGetQueryExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -192,7 +192,7 @@ const opCreateNamedQuery = "CreateNamedQuery"
// CreateNamedQueryRequest generates a "aws/request.Request" representing the // CreateNamedQueryRequest generates a "aws/request.Request" representing the
// client's request for the CreateNamedQuery operation. The "output" return // client's request for the CreateNamedQuery operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -280,7 +280,7 @@ const opDeleteNamedQuery = "DeleteNamedQuery"
// DeleteNamedQueryRequest generates a "aws/request.Request" representing the // DeleteNamedQueryRequest generates a "aws/request.Request" representing the
// client's request for the DeleteNamedQuery operation. The "output" return // client's request for the DeleteNamedQuery operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -368,7 +368,7 @@ const opGetNamedQuery = "GetNamedQuery"
// GetNamedQueryRequest generates a "aws/request.Request" representing the // GetNamedQueryRequest generates a "aws/request.Request" representing the
// client's request for the GetNamedQuery operation. The "output" return // client's request for the GetNamedQuery operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -452,7 +452,7 @@ const opGetQueryExecution = "GetQueryExecution"
// GetQueryExecutionRequest generates a "aws/request.Request" representing the // GetQueryExecutionRequest generates a "aws/request.Request" representing the
// client's request for the GetQueryExecution operation. The "output" return // client's request for the GetQueryExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -537,7 +537,7 @@ const opGetQueryResults = "GetQueryResults"
// GetQueryResultsRequest generates a "aws/request.Request" representing the // GetQueryResultsRequest generates a "aws/request.Request" representing the
// client's request for the GetQueryResults operation. The "output" return // client's request for the GetQueryResults operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -679,7 +679,7 @@ const opListNamedQueries = "ListNamedQueries"
// ListNamedQueriesRequest generates a "aws/request.Request" representing the // ListNamedQueriesRequest generates a "aws/request.Request" representing the
// client's request for the ListNamedQueries operation. The "output" return // client's request for the ListNamedQueries operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -823,7 +823,7 @@ const opListQueryExecutions = "ListQueryExecutions"
// ListQueryExecutionsRequest generates a "aws/request.Request" representing the // ListQueryExecutionsRequest generates a "aws/request.Request" representing the
// client's request for the ListQueryExecutions operation. The "output" return // client's request for the ListQueryExecutions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -967,7 +967,7 @@ const opStartQueryExecution = "StartQueryExecution"
// StartQueryExecutionRequest generates a "aws/request.Request" representing the // StartQueryExecutionRequest generates a "aws/request.Request" representing the
// client's request for the StartQueryExecution operation. The "output" return // client's request for the StartQueryExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1058,7 +1058,7 @@ const opStopQueryExecution = "StopQueryExecution"
// StopQueryExecutionRequest generates a "aws/request.Request" representing the // StopQueryExecutionRequest generates a "aws/request.Request" representing the
// client's request for the StopQueryExecution operation. The "output" return // client's request for the StopQueryExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opAttachInstances = "AttachInstances"
// AttachInstancesRequest generates a "aws/request.Request" representing the // AttachInstancesRequest generates a "aws/request.Request" representing the
// client's request for the AttachInstances operation. The "output" return // client's request for the AttachInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -87,6 +87,9 @@ func (c *AutoScaling) AttachInstancesRequest(input *AttachInstancesInput) (req *
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/AttachInstances // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/AttachInstances
func (c *AutoScaling) AttachInstances(input *AttachInstancesInput) (*AttachInstancesOutput, error) { func (c *AutoScaling) AttachInstances(input *AttachInstancesInput) (*AttachInstancesOutput, error) {
req, out := c.AttachInstancesRequest(input) req, out := c.AttachInstancesRequest(input)
@ -113,7 +116,7 @@ const opAttachLoadBalancerTargetGroups = "AttachLoadBalancerTargetGroups"
// AttachLoadBalancerTargetGroupsRequest generates a "aws/request.Request" representing the // AttachLoadBalancerTargetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the AttachLoadBalancerTargetGroups operation. The "output" return // client's request for the AttachLoadBalancerTargetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -174,6 +177,9 @@ func (c *AutoScaling) AttachLoadBalancerTargetGroupsRequest(input *AttachLoadBal
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/AttachLoadBalancerTargetGroups // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/AttachLoadBalancerTargetGroups
func (c *AutoScaling) AttachLoadBalancerTargetGroups(input *AttachLoadBalancerTargetGroupsInput) (*AttachLoadBalancerTargetGroupsOutput, error) { func (c *AutoScaling) AttachLoadBalancerTargetGroups(input *AttachLoadBalancerTargetGroupsInput) (*AttachLoadBalancerTargetGroupsOutput, error) {
req, out := c.AttachLoadBalancerTargetGroupsRequest(input) req, out := c.AttachLoadBalancerTargetGroupsRequest(input)
@ -200,7 +206,7 @@ const opAttachLoadBalancers = "AttachLoadBalancers"
// AttachLoadBalancersRequest generates a "aws/request.Request" representing the // AttachLoadBalancersRequest generates a "aws/request.Request" representing the
// client's request for the AttachLoadBalancers operation. The "output" return // client's request for the AttachLoadBalancers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -264,6 +270,9 @@ func (c *AutoScaling) AttachLoadBalancersRequest(input *AttachLoadBalancersInput
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/AttachLoadBalancers // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/AttachLoadBalancers
func (c *AutoScaling) AttachLoadBalancers(input *AttachLoadBalancersInput) (*AttachLoadBalancersOutput, error) { func (c *AutoScaling) AttachLoadBalancers(input *AttachLoadBalancersInput) (*AttachLoadBalancersOutput, error) {
req, out := c.AttachLoadBalancersRequest(input) req, out := c.AttachLoadBalancersRequest(input)
@ -290,7 +299,7 @@ const opCompleteLifecycleAction = "CompleteLifecycleAction"
// CompleteLifecycleActionRequest generates a "aws/request.Request" representing the // CompleteLifecycleActionRequest generates a "aws/request.Request" representing the
// client's request for the CompleteLifecycleAction operation. The "output" return // client's request for the CompleteLifecycleAction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -392,7 +401,7 @@ const opCreateAutoScalingGroup = "CreateAutoScalingGroup"
// CreateAutoScalingGroupRequest generates a "aws/request.Request" representing the // CreateAutoScalingGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateAutoScalingGroup operation. The "output" return // client's request for the CreateAutoScalingGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -436,9 +445,10 @@ func (c *AutoScaling) CreateAutoScalingGroupRequest(input *CreateAutoScalingGrou
// //
// Creates an Auto Scaling group with the specified name and attributes. // Creates an Auto Scaling group with the specified name and attributes.
// //
// If you exceed your maximum limit of Auto Scaling groups, which by default // If you exceed your maximum limit of Auto Scaling groups, the call fails.
// is 20 per region, the call fails. For information about viewing and updating // For information about viewing this limit, see DescribeAccountLimits. For
// this limit, see DescribeAccountLimits. // information about updating this limit, see Auto Scaling Limits (http://docs.aws.amazon.com/autoscaling/latest/userguide/as-account-limits.html)
// in the Auto Scaling User Guide.
// //
// For more information, see Auto Scaling Groups (http://docs.aws.amazon.com/autoscaling/latest/userguide/AutoScalingGroup.html) // For more information, see Auto Scaling Groups (http://docs.aws.amazon.com/autoscaling/latest/userguide/AutoScalingGroup.html)
// in the Auto Scaling User Guide. // in the Auto Scaling User Guide.
@ -464,6 +474,9 @@ func (c *AutoScaling) CreateAutoScalingGroupRequest(input *CreateAutoScalingGrou
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/CreateAutoScalingGroup // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/CreateAutoScalingGroup
func (c *AutoScaling) CreateAutoScalingGroup(input *CreateAutoScalingGroupInput) (*CreateAutoScalingGroupOutput, error) { func (c *AutoScaling) CreateAutoScalingGroup(input *CreateAutoScalingGroupInput) (*CreateAutoScalingGroupOutput, error) {
req, out := c.CreateAutoScalingGroupRequest(input) req, out := c.CreateAutoScalingGroupRequest(input)
@ -490,7 +503,7 @@ const opCreateLaunchConfiguration = "CreateLaunchConfiguration"
// CreateLaunchConfigurationRequest generates a "aws/request.Request" representing the // CreateLaunchConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the CreateLaunchConfiguration operation. The "output" return // client's request for the CreateLaunchConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -534,9 +547,10 @@ func (c *AutoScaling) CreateLaunchConfigurationRequest(input *CreateLaunchConfig
// //
// Creates a launch configuration. // Creates a launch configuration.
// //
// If you exceed your maximum limit of launch configurations, which by default // If you exceed your maximum limit of launch configurations, the call fails.
// is 100 per region, the call fails. For information about viewing and updating // For information about viewing this limit, see DescribeAccountLimits. For
// this limit, see DescribeAccountLimits. // information about updating this limit, see Auto Scaling Limits (http://docs.aws.amazon.com/autoscaling/latest/userguide/as-account-limits.html)
// in the Auto Scaling User Guide.
// //
// For more information, see Launch Configurations (http://docs.aws.amazon.com/autoscaling/latest/userguide/LaunchConfiguration.html) // For more information, see Launch Configurations (http://docs.aws.amazon.com/autoscaling/latest/userguide/LaunchConfiguration.html)
// in the Auto Scaling User Guide. // in the Auto Scaling User Guide.
@ -588,7 +602,7 @@ const opCreateOrUpdateTags = "CreateOrUpdateTags"
// CreateOrUpdateTagsRequest generates a "aws/request.Request" representing the // CreateOrUpdateTagsRequest generates a "aws/request.Request" representing the
// client's request for the CreateOrUpdateTags operation. The "output" return // client's request for the CreateOrUpdateTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -688,7 +702,7 @@ const opDeleteAutoScalingGroup = "DeleteAutoScalingGroup"
// DeleteAutoScalingGroupRequest generates a "aws/request.Request" representing the // DeleteAutoScalingGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAutoScalingGroup operation. The "output" return // client's request for the DeleteAutoScalingGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -791,7 +805,7 @@ const opDeleteLaunchConfiguration = "DeleteLaunchConfiguration"
// DeleteLaunchConfigurationRequest generates a "aws/request.Request" representing the // DeleteLaunchConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLaunchConfiguration operation. The "output" return // client's request for the DeleteLaunchConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -880,7 +894,7 @@ const opDeleteLifecycleHook = "DeleteLifecycleHook"
// DeleteLifecycleHookRequest generates a "aws/request.Request" representing the // DeleteLifecycleHookRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLifecycleHook operation. The "output" return // client's request for the DeleteLifecycleHook operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -963,7 +977,7 @@ const opDeleteNotificationConfiguration = "DeleteNotificationConfiguration"
// DeleteNotificationConfigurationRequest generates a "aws/request.Request" representing the // DeleteNotificationConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteNotificationConfiguration operation. The "output" return // client's request for the DeleteNotificationConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1045,7 +1059,7 @@ const opDeletePolicy = "DeletePolicy"
// DeletePolicyRequest generates a "aws/request.Request" representing the // DeletePolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeletePolicy operation. The "output" return // client's request for the DeletePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1104,6 +1118,9 @@ func (c *AutoScaling) DeletePolicyRequest(input *DeletePolicyInput) (req *reques
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/DeletePolicy // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/DeletePolicy
func (c *AutoScaling) DeletePolicy(input *DeletePolicyInput) (*DeletePolicyOutput, error) { func (c *AutoScaling) DeletePolicy(input *DeletePolicyInput) (*DeletePolicyOutput, error) {
req, out := c.DeletePolicyRequest(input) req, out := c.DeletePolicyRequest(input)
@ -1130,7 +1147,7 @@ const opDeleteScheduledAction = "DeleteScheduledAction"
// DeleteScheduledActionRequest generates a "aws/request.Request" representing the // DeleteScheduledActionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteScheduledAction operation. The "output" return // client's request for the DeleteScheduledAction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1212,7 +1229,7 @@ const opDeleteTags = "DeleteTags"
// DeleteTagsRequest generates a "aws/request.Request" representing the // DeleteTagsRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTags operation. The "output" return // client's request for the DeleteTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1297,7 +1314,7 @@ const opDescribeAccountLimits = "DescribeAccountLimits"
// DescribeAccountLimitsRequest generates a "aws/request.Request" representing the // DescribeAccountLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAccountLimits operation. The "output" return // client's request for the DescribeAccountLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1339,9 +1356,9 @@ func (c *AutoScaling) DescribeAccountLimitsRequest(input *DescribeAccountLimitsI
// //
// Describes the current Auto Scaling resource limits for your AWS account. // Describes the current Auto Scaling resource limits for your AWS account.
// //
// For information about requesting an increase in these limits, see AWS Service // For information about requesting an increase in these limits, see Auto Scaling
// Limits (http://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html) // Limits (http://docs.aws.amazon.com/autoscaling/latest/userguide/as-account-limits.html)
// in the Amazon Web Services General Reference. // in the Auto Scaling User Guide.
// //
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
@ -1381,7 +1398,7 @@ const opDescribeAdjustmentTypes = "DescribeAdjustmentTypes"
// DescribeAdjustmentTypesRequest generates a "aws/request.Request" representing the // DescribeAdjustmentTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAdjustmentTypes operation. The "output" return // client's request for the DescribeAdjustmentTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1461,7 +1478,7 @@ const opDescribeAutoScalingGroups = "DescribeAutoScalingGroups"
// DescribeAutoScalingGroupsRequest generates a "aws/request.Request" representing the // DescribeAutoScalingGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAutoScalingGroups operation. The "output" return // client's request for the DescribeAutoScalingGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1600,7 +1617,7 @@ const opDescribeAutoScalingInstances = "DescribeAutoScalingInstances"
// DescribeAutoScalingInstancesRequest generates a "aws/request.Request" representing the // DescribeAutoScalingInstancesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAutoScalingInstances operation. The "output" return // client's request for the DescribeAutoScalingInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1739,7 +1756,7 @@ const opDescribeAutoScalingNotificationTypes = "DescribeAutoScalingNotificationT
// DescribeAutoScalingNotificationTypesRequest generates a "aws/request.Request" representing the // DescribeAutoScalingNotificationTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAutoScalingNotificationTypes operation. The "output" return // client's request for the DescribeAutoScalingNotificationTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1819,7 +1836,7 @@ const opDescribeLaunchConfigurations = "DescribeLaunchConfigurations"
// DescribeLaunchConfigurationsRequest generates a "aws/request.Request" representing the // DescribeLaunchConfigurationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLaunchConfigurations operation. The "output" return // client's request for the DescribeLaunchConfigurations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1958,7 +1975,7 @@ const opDescribeLifecycleHookTypes = "DescribeLifecycleHookTypes"
// DescribeLifecycleHookTypesRequest generates a "aws/request.Request" representing the // DescribeLifecycleHookTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLifecycleHookTypes operation. The "output" return // client's request for the DescribeLifecycleHookTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2038,7 +2055,7 @@ const opDescribeLifecycleHooks = "DescribeLifecycleHooks"
// DescribeLifecycleHooksRequest generates a "aws/request.Request" representing the // DescribeLifecycleHooksRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLifecycleHooks operation. The "output" return // client's request for the DescribeLifecycleHooks operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2118,7 +2135,7 @@ const opDescribeLoadBalancerTargetGroups = "DescribeLoadBalancerTargetGroups"
// DescribeLoadBalancerTargetGroupsRequest generates a "aws/request.Request" representing the // DescribeLoadBalancerTargetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancerTargetGroups operation. The "output" return // client's request for the DescribeLoadBalancerTargetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2198,7 +2215,7 @@ const opDescribeLoadBalancers = "DescribeLoadBalancers"
// DescribeLoadBalancersRequest generates a "aws/request.Request" representing the // DescribeLoadBalancersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancers operation. The "output" return // client's request for the DescribeLoadBalancers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2281,7 +2298,7 @@ const opDescribeMetricCollectionTypes = "DescribeMetricCollectionTypes"
// DescribeMetricCollectionTypesRequest generates a "aws/request.Request" representing the // DescribeMetricCollectionTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMetricCollectionTypes operation. The "output" return // client's request for the DescribeMetricCollectionTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2364,7 +2381,7 @@ const opDescribeNotificationConfigurations = "DescribeNotificationConfigurations
// DescribeNotificationConfigurationsRequest generates a "aws/request.Request" representing the // DescribeNotificationConfigurationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeNotificationConfigurations operation. The "output" return // client's request for the DescribeNotificationConfigurations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2504,7 +2521,7 @@ const opDescribePolicies = "DescribePolicies"
// DescribePoliciesRequest generates a "aws/request.Request" representing the // DescribePoliciesRequest generates a "aws/request.Request" representing the
// client's request for the DescribePolicies operation. The "output" return // client's request for the DescribePolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2567,6 +2584,9 @@ func (c *AutoScaling) DescribePoliciesRequest(input *DescribePoliciesInput) (req
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/DescribePolicies // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/DescribePolicies
func (c *AutoScaling) DescribePolicies(input *DescribePoliciesInput) (*DescribePoliciesOutput, error) { func (c *AutoScaling) DescribePolicies(input *DescribePoliciesInput) (*DescribePoliciesOutput, error) {
req, out := c.DescribePoliciesRequest(input) req, out := c.DescribePoliciesRequest(input)
@ -2643,7 +2663,7 @@ const opDescribeScalingActivities = "DescribeScalingActivities"
// DescribeScalingActivitiesRequest generates a "aws/request.Request" representing the // DescribeScalingActivitiesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScalingActivities operation. The "output" return // client's request for the DescribeScalingActivities operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2782,7 +2802,7 @@ const opDescribeScalingProcessTypes = "DescribeScalingProcessTypes"
// DescribeScalingProcessTypesRequest generates a "aws/request.Request" representing the // DescribeScalingProcessTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScalingProcessTypes operation. The "output" return // client's request for the DescribeScalingProcessTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2862,7 +2882,7 @@ const opDescribeScheduledActions = "DescribeScheduledActions"
// DescribeScheduledActionsRequest generates a "aws/request.Request" representing the // DescribeScheduledActionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScheduledActions operation. The "output" return // client's request for the DescribeScheduledActions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3002,7 +3022,7 @@ const opDescribeTags = "DescribeTags"
// DescribeTagsRequest generates a "aws/request.Request" representing the // DescribeTagsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTags operation. The "output" return // client's request for the DescribeTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3150,7 +3170,7 @@ const opDescribeTerminationPolicyTypes = "DescribeTerminationPolicyTypes"
// DescribeTerminationPolicyTypesRequest generates a "aws/request.Request" representing the // DescribeTerminationPolicyTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTerminationPolicyTypes operation. The "output" return // client's request for the DescribeTerminationPolicyTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3230,7 +3250,7 @@ const opDetachInstances = "DetachInstances"
// DetachInstancesRequest generates a "aws/request.Request" representing the // DetachInstancesRequest generates a "aws/request.Request" representing the
// client's request for the DetachInstances operation. The "output" return // client's request for the DetachInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3325,7 +3345,7 @@ const opDetachLoadBalancerTargetGroups = "DetachLoadBalancerTargetGroups"
// DetachLoadBalancerTargetGroupsRequest generates a "aws/request.Request" representing the // DetachLoadBalancerTargetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DetachLoadBalancerTargetGroups operation. The "output" return // client's request for the DetachLoadBalancerTargetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3405,7 +3425,7 @@ const opDetachLoadBalancers = "DetachLoadBalancers"
// DetachLoadBalancersRequest generates a "aws/request.Request" representing the // DetachLoadBalancersRequest generates a "aws/request.Request" representing the
// client's request for the DetachLoadBalancers operation. The "output" return // client's request for the DetachLoadBalancers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3494,7 +3514,7 @@ const opDisableMetricsCollection = "DisableMetricsCollection"
// DisableMetricsCollectionRequest generates a "aws/request.Request" representing the // DisableMetricsCollectionRequest generates a "aws/request.Request" representing the
// client's request for the DisableMetricsCollection operation. The "output" return // client's request for the DisableMetricsCollection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3576,7 +3596,7 @@ const opEnableMetricsCollection = "EnableMetricsCollection"
// EnableMetricsCollectionRequest generates a "aws/request.Request" representing the // EnableMetricsCollectionRequest generates a "aws/request.Request" representing the
// client's request for the EnableMetricsCollection operation. The "output" return // client's request for the EnableMetricsCollection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3660,7 +3680,7 @@ const opEnterStandby = "EnterStandby"
// EnterStandbyRequest generates a "aws/request.Request" representing the // EnterStandbyRequest generates a "aws/request.Request" representing the
// client's request for the EnterStandby operation. The "output" return // client's request for the EnterStandby operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3744,7 +3764,7 @@ const opExecutePolicy = "ExecutePolicy"
// ExecutePolicyRequest generates a "aws/request.Request" representing the // ExecutePolicyRequest generates a "aws/request.Request" representing the
// client's request for the ExecutePolicy operation. The "output" return // client's request for the ExecutePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3830,7 +3850,7 @@ const opExitStandby = "ExitStandby"
// ExitStandbyRequest generates a "aws/request.Request" representing the // ExitStandbyRequest generates a "aws/request.Request" representing the
// client's request for the ExitStandby operation. The "output" return // client's request for the ExitStandby operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3914,7 +3934,7 @@ const opPutLifecycleHook = "PutLifecycleHook"
// PutLifecycleHookRequest generates a "aws/request.Request" representing the // PutLifecycleHookRequest generates a "aws/request.Request" representing the
// client's request for the PutLifecycleHook operation. The "output" return // client's request for the PutLifecycleHook operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4029,7 +4049,7 @@ const opPutNotificationConfiguration = "PutNotificationConfiguration"
// PutNotificationConfigurationRequest generates a "aws/request.Request" representing the // PutNotificationConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the PutNotificationConfiguration operation. The "output" return // client's request for the PutNotificationConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4098,6 +4118,9 @@ func (c *AutoScaling) PutNotificationConfigurationRequest(input *PutNotification
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/PutNotificationConfiguration // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/PutNotificationConfiguration
func (c *AutoScaling) PutNotificationConfiguration(input *PutNotificationConfigurationInput) (*PutNotificationConfigurationOutput, error) { func (c *AutoScaling) PutNotificationConfiguration(input *PutNotificationConfigurationInput) (*PutNotificationConfigurationOutput, error) {
req, out := c.PutNotificationConfigurationRequest(input) req, out := c.PutNotificationConfigurationRequest(input)
@ -4124,7 +4147,7 @@ const opPutScalingPolicy = "PutScalingPolicy"
// PutScalingPolicyRequest generates a "aws/request.Request" representing the // PutScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutScalingPolicy operation. The "output" return // client's request for the PutScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4191,6 +4214,9 @@ func (c *AutoScaling) PutScalingPolicyRequest(input *PutScalingPolicyInput) (req
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/PutScalingPolicy // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/PutScalingPolicy
func (c *AutoScaling) PutScalingPolicy(input *PutScalingPolicyInput) (*PutScalingPolicyOutput, error) { func (c *AutoScaling) PutScalingPolicy(input *PutScalingPolicyInput) (*PutScalingPolicyOutput, error) {
req, out := c.PutScalingPolicyRequest(input) req, out := c.PutScalingPolicyRequest(input)
@ -4217,7 +4243,7 @@ const opPutScheduledUpdateGroupAction = "PutScheduledUpdateGroupAction"
// PutScheduledUpdateGroupActionRequest generates a "aws/request.Request" representing the // PutScheduledUpdateGroupActionRequest generates a "aws/request.Request" representing the
// client's request for the PutScheduledUpdateGroupAction operation. The "output" return // client's request for the PutScheduledUpdateGroupAction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4313,7 +4339,7 @@ const opRecordLifecycleActionHeartbeat = "RecordLifecycleActionHeartbeat"
// RecordLifecycleActionHeartbeatRequest generates a "aws/request.Request" representing the // RecordLifecycleActionHeartbeatRequest generates a "aws/request.Request" representing the
// client's request for the RecordLifecycleActionHeartbeat operation. The "output" return // client's request for the RecordLifecycleActionHeartbeat operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4416,7 +4442,7 @@ const opResumeProcesses = "ResumeProcesses"
// ResumeProcessesRequest generates a "aws/request.Request" representing the // ResumeProcessesRequest generates a "aws/request.Request" representing the
// client's request for the ResumeProcesses operation. The "output" return // client's request for the ResumeProcesses operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4506,7 +4532,7 @@ const opSetDesiredCapacity = "SetDesiredCapacity"
// SetDesiredCapacityRequest generates a "aws/request.Request" representing the // SetDesiredCapacityRequest generates a "aws/request.Request" representing the
// client's request for the SetDesiredCapacity operation. The "output" return // client's request for the SetDesiredCapacity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4595,7 +4621,7 @@ const opSetInstanceHealth = "SetInstanceHealth"
// SetInstanceHealthRequest generates a "aws/request.Request" representing the // SetInstanceHealthRequest generates a "aws/request.Request" representing the
// client's request for the SetInstanceHealth operation. The "output" return // client's request for the SetInstanceHealth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4680,7 +4706,7 @@ const opSetInstanceProtection = "SetInstanceProtection"
// SetInstanceProtectionRequest generates a "aws/request.Request" representing the // SetInstanceProtectionRequest generates a "aws/request.Request" representing the
// client's request for the SetInstanceProtection operation. The "output" return // client's request for the SetInstanceProtection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4768,7 +4794,7 @@ const opSuspendProcesses = "SuspendProcesses"
// SuspendProcessesRequest generates a "aws/request.Request" representing the // SuspendProcessesRequest generates a "aws/request.Request" representing the
// client's request for the SuspendProcesses operation. The "output" return // client's request for the SuspendProcesses operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4863,7 +4889,7 @@ const opTerminateInstanceInAutoScalingGroup = "TerminateInstanceInAutoScalingGro
// TerminateInstanceInAutoScalingGroupRequest generates a "aws/request.Request" representing the // TerminateInstanceInAutoScalingGroupRequest generates a "aws/request.Request" representing the
// client's request for the TerminateInstanceInAutoScalingGroup operation. The "output" return // client's request for the TerminateInstanceInAutoScalingGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4951,7 +4977,7 @@ const opUpdateAutoScalingGroup = "UpdateAutoScalingGroup"
// UpdateAutoScalingGroupRequest generates a "aws/request.Request" representing the // UpdateAutoScalingGroupRequest generates a "aws/request.Request" representing the
// client's request for the UpdateAutoScalingGroup operation. The "output" return // client's request for the UpdateAutoScalingGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5033,6 +5059,9 @@ func (c *AutoScaling) UpdateAutoScalingGroupRequest(input *UpdateAutoScalingGrou
// You already have a pending update to an Auto Scaling resource (for example, // You already have a pending update to an Auto Scaling resource (for example,
// a group, instance, or load balancer). // a group, instance, or load balancer).
// //
// * ErrCodeServiceLinkedRoleFailure "ServiceLinkedRoleFailure"
// The service-linked role is not yet ready for use.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/UpdateAutoScalingGroup // See also, https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01/UpdateAutoScalingGroup
func (c *AutoScaling) UpdateAutoScalingGroup(input *UpdateAutoScalingGroupInput) (*UpdateAutoScalingGroupOutput, error) { func (c *AutoScaling) UpdateAutoScalingGroup(input *UpdateAutoScalingGroupInput) (*UpdateAutoScalingGroupOutput, error) {
req, out := c.UpdateAutoScalingGroupRequest(input) req, out := c.UpdateAutoScalingGroupRequest(input)
@ -5241,7 +5270,7 @@ type AttachInstancesInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// One or more instance IDs. // The IDs of the instances. You can specify up to 20 instances.
InstanceIds []*string `type:"list"` InstanceIds []*string `type:"list"`
} }
@ -5305,7 +5334,8 @@ type AttachLoadBalancerTargetGroupsInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// The Amazon Resource Names (ARN) of the target groups. // The Amazon Resource Names (ARN) of the target groups. You can specify up
// to 10 target groups.
// //
// TargetGroupARNs is a required field // TargetGroupARNs is a required field
TargetGroupARNs []*string `type:"list" required:"true"` TargetGroupARNs []*string `type:"list" required:"true"`
@ -5374,7 +5404,7 @@ type AttachLoadBalancersInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// One or more load balancer names. // The names of the load balancers. You can specify up to 10 load balancers.
// //
// LoadBalancerNames is a required field // LoadBalancerNames is a required field
LoadBalancerNames []*string `type:"list" required:"true"` LoadBalancerNames []*string `type:"list" required:"true"`
@ -5725,6 +5755,12 @@ type CreateAutoScalingGroupInput struct {
// in the Amazon Elastic Compute Cloud User Guide. // in the Amazon Elastic Compute Cloud User Guide.
PlacementGroup *string `min:"1" type:"string"` PlacementGroup *string `min:"1" type:"string"`
// The Amazon Resource Name (ARN) of the service-linked role that the Auto Scaling
// group uses to call other AWS services on your behalf. By default, Auto Scaling
// uses a service-linked role named AWSServiceRoleForAutoScaling, which it creates
// if it does not exist.
ServiceLinkedRoleARN *string `min:"1" type:"string"`
// One or more tags. // One or more tags.
// //
// For more information, see Tagging Auto Scaling Groups and Instances (http://docs.aws.amazon.com/autoscaling/latest/userguide/autoscaling-tagging.html) // For more information, see Tagging Auto Scaling Groups and Instances (http://docs.aws.amazon.com/autoscaling/latest/userguide/autoscaling-tagging.html)
@ -5793,6 +5829,9 @@ func (s *CreateAutoScalingGroupInput) Validate() error {
if s.PlacementGroup != nil && len(*s.PlacementGroup) < 1 { if s.PlacementGroup != nil && len(*s.PlacementGroup) < 1 {
invalidParams.Add(request.NewErrParamMinLen("PlacementGroup", 1)) invalidParams.Add(request.NewErrParamMinLen("PlacementGroup", 1))
} }
if s.ServiceLinkedRoleARN != nil && len(*s.ServiceLinkedRoleARN) < 1 {
invalidParams.Add(request.NewErrParamMinLen("ServiceLinkedRoleARN", 1))
}
if s.VPCZoneIdentifier != nil && len(*s.VPCZoneIdentifier) < 1 { if s.VPCZoneIdentifier != nil && len(*s.VPCZoneIdentifier) < 1 {
invalidParams.Add(request.NewErrParamMinLen("VPCZoneIdentifier", 1)) invalidParams.Add(request.NewErrParamMinLen("VPCZoneIdentifier", 1))
} }
@ -5918,6 +5957,12 @@ func (s *CreateAutoScalingGroupInput) SetPlacementGroup(v string) *CreateAutoSca
return s return s
} }
// SetServiceLinkedRoleARN sets the ServiceLinkedRoleARN field's value.
func (s *CreateAutoScalingGroupInput) SetServiceLinkedRoleARN(v string) *CreateAutoScalingGroupInput {
s.ServiceLinkedRoleARN = &v
return s
}
// SetTags sets the Tags field's value. // SetTags sets the Tags field's value.
func (s *CreateAutoScalingGroupInput) SetTags(v []*Tag) *CreateAutoScalingGroupInput { func (s *CreateAutoScalingGroupInput) SetTags(v []*Tag) *CreateAutoScalingGroupInput {
s.Tags = v s.Tags = v
@ -5968,9 +6013,8 @@ type CreateLaunchConfigurationInput struct {
// you create your group. // you create your group.
// //
// Default: If the instance is launched into a default subnet, the default is // Default: If the instance is launched into a default subnet, the default is
// true. If the instance is launched into a nondefault subnet, the default is // to assign a public IP address. If the instance is launched into a nondefault
// false. For more information, see Supported Platforms (http://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-supported-platforms.html) // subnet, the default is not to assign a public IP address.
// in the Amazon Elastic Compute Cloud User Guide.
AssociatePublicIpAddress *bool `type:"boolean"` AssociatePublicIpAddress *bool `type:"boolean"`
// One or more mappings that specify how block devices are exposed to the instance. // One or more mappings that specify how block devices are exposed to the instance.
@ -7106,7 +7150,7 @@ type DescribeAutoScalingInstancesInput struct {
InstanceIds []*string `type:"list"` InstanceIds []*string `type:"list"`
// The maximum number of items to return with this call. The default value is // The maximum number of items to return with this call. The default value is
// 50 and the maximum value is 100. // 50 and the maximum value is 50.
MaxRecords *int64 `type:"integer"` MaxRecords *int64 `type:"integer"`
// The token for the next set of items to return. (You received this token from // The token for the next set of items to return. (You received this token from
@ -7411,7 +7455,7 @@ type DescribeLoadBalancerTargetGroupsInput struct {
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// The maximum number of items to return with this call. The default value is // The maximum number of items to return with this call. The default value is
// 50 and the maximum value is 100. // 100 and the maximum value is 100.
MaxRecords *int64 `type:"integer"` MaxRecords *int64 `type:"integer"`
// The token for the next set of items to return. (You received this token from // The token for the next set of items to return. (You received this token from
@ -7505,7 +7549,7 @@ type DescribeLoadBalancersInput struct {
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// The maximum number of items to return with this call. The default value is // The maximum number of items to return with this call. The default value is
// 50 and the maximum value is 100. // 100 and the maximum value is 100.
MaxRecords *int64 `type:"integer"` MaxRecords *int64 `type:"integer"`
// The token for the next set of items to return. (You received this token from // The token for the next set of items to return. (You received this token from
@ -7838,7 +7882,7 @@ type DescribeScalingActivitiesInput struct {
AutoScalingGroupName *string `min:"1" type:"string"` AutoScalingGroupName *string `min:"1" type:"string"`
// The maximum number of items to return with this call. The default value is // The maximum number of items to return with this call. The default value is
// 100. // 100 and the maximum value is 100.
MaxRecords *int64 `type:"integer"` MaxRecords *int64 `type:"integer"`
// The token for the next set of items to return. (You received this token from // The token for the next set of items to return. (You received this token from
@ -8212,11 +8256,11 @@ type DetachInstancesInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// One or more instance IDs. // The IDs of the instances. You can specify up to 20 instances.
InstanceIds []*string `type:"list"` InstanceIds []*string `type:"list"`
// If True, the Auto Scaling group decrements the desired capacity value by // Indicates whether the Auto Scaling group decrements the desired capacity
// the number of instances detached. // value by the number of instances detached.
// //
// ShouldDecrementDesiredCapacity is a required field // ShouldDecrementDesiredCapacity is a required field
ShouldDecrementDesiredCapacity *bool `type:"boolean" required:"true"` ShouldDecrementDesiredCapacity *bool `type:"boolean" required:"true"`
@ -8300,7 +8344,8 @@ type DetachLoadBalancerTargetGroupsInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// The Amazon Resource Names (ARN) of the target groups. // The Amazon Resource Names (ARN) of the target groups. You can specify up
// to 10 target groups.
// //
// TargetGroupARNs is a required field // TargetGroupARNs is a required field
TargetGroupARNs []*string `type:"list" required:"true"` TargetGroupARNs []*string `type:"list" required:"true"`
@ -8369,7 +8414,7 @@ type DetachLoadBalancersInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// One or more load balancer names. // The names of the load balancers. You can specify up to 10 load balancers.
// //
// LoadBalancerNames is a required field // LoadBalancerNames is a required field
LoadBalancerNames []*string `type:"list" required:"true"` LoadBalancerNames []*string `type:"list" required:"true"`
@ -8515,9 +8560,8 @@ func (s DisableMetricsCollectionOutput) GoString() string {
type Ebs struct { type Ebs struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// Indicates whether the volume is deleted on instance termination. // Indicates whether the volume is deleted on instance termination. The default
// // is true.
// Default: true
DeleteOnTermination *bool `type:"boolean"` DeleteOnTermination *bool `type:"boolean"`
// Indicates whether the volume should be encrypted. Encrypted EBS volumes must // Indicates whether the volume should be encrypted. Encrypted EBS volumes must
@ -8779,14 +8823,11 @@ type EnterStandbyInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// One or more instances to move into Standby mode. You must specify at least // The IDs of the instances. You can specify up to 20 instances.
// one instance ID.
InstanceIds []*string `type:"list"` InstanceIds []*string `type:"list"`
// Specifies whether the instances moved to Standby mode count as part of the // Indicates whether to decrement the desired capacity of the Auto Scaling group
// Auto Scaling group's desired capacity. If set, the desired capacity for the // by the number of instances moved to Standby mode.
// Auto Scaling group decrements by the number of instances moved to Standby
// mode.
// //
// ShouldDecrementDesiredCapacity is a required field // ShouldDecrementDesiredCapacity is a required field
ShouldDecrementDesiredCapacity *bool `type:"boolean" required:"true"` ShouldDecrementDesiredCapacity *bool `type:"boolean" required:"true"`
@ -8874,9 +8915,8 @@ type ExecutePolicyInput struct {
// otherwise. // otherwise.
BreachThreshold *float64 `type:"double"` BreachThreshold *float64 `type:"double"`
// If this parameter is true, Auto Scaling waits for the cooldown period to // Indicates whether Auto Scaling waits for the cooldown period to complete
// complete before executing the policy. Otherwise, Auto Scaling executes the // before executing the policy.
// policy without waiting for the cooldown period to complete.
// //
// This parameter is not supported if the policy type is StepScaling. // This parameter is not supported if the policy type is StepScaling.
// //
@ -8984,7 +9024,7 @@ type ExitStandbyInput struct {
// AutoScalingGroupName is a required field // AutoScalingGroupName is a required field
AutoScalingGroupName *string `min:"1" type:"string" required:"true"` AutoScalingGroupName *string `min:"1" type:"string" required:"true"`
// One or more instance IDs. You must specify at least one instance ID. // The IDs of the instances. You can specify up to 20 instances.
InstanceIds []*string `type:"list"` InstanceIds []*string `type:"list"`
} }
@ -9159,6 +9199,10 @@ type Group struct {
// in the Amazon Elastic Compute Cloud User Guide. // in the Amazon Elastic Compute Cloud User Guide.
PlacementGroup *string `min:"1" type:"string"` PlacementGroup *string `min:"1" type:"string"`
// The Amazon Resource Name (ARN) of the service-linked role that the Auto Scaling
// group uses to call other AWS services on your behalf.
ServiceLinkedRoleARN *string `min:"1" type:"string"`
// The current state of the group when DeleteAutoScalingGroup is in progress. // The current state of the group when DeleteAutoScalingGroup is in progress.
Status *string `min:"1" type:"string"` Status *string `min:"1" type:"string"`
@ -9293,6 +9337,12 @@ func (s *Group) SetPlacementGroup(v string) *Group {
return s return s
} }
// SetServiceLinkedRoleARN sets the ServiceLinkedRoleARN field's value.
func (s *Group) SetServiceLinkedRoleARN(v string) *Group {
s.ServiceLinkedRoleARN = &v
return s
}
// SetStatus sets the Status field's value. // SetStatus sets the Status field's value.
func (s *Group) SetStatus(v string) *Group { func (s *Group) SetStatus(v string) *Group {
s.Status = &v s.Status = &v
@ -9766,8 +9816,10 @@ type LaunchTemplateSpecification struct {
// or a template ID. // or a template ID.
LaunchTemplateName *string `min:"3" type:"string"` LaunchTemplateName *string `min:"3" type:"string"`
// The version number. By default, the default version of the launch template // The version number, $Latest, or $Default. If the value is $Latest, Auto Scaling
// is used. // selects the latest version of the launch template when launching instances.
// If the value is $Default, Auto Scaling selects the default version of the
// launch template when launching instances. The default value is $Default.
Version *string `min:"1" type:"string"` Version *string `min:"1" type:"string"`
} }
@ -11542,10 +11594,10 @@ type SetDesiredCapacityInput struct {
// DesiredCapacity is a required field // DesiredCapacity is a required field
DesiredCapacity *int64 `type:"integer" required:"true"` DesiredCapacity *int64 `type:"integer" required:"true"`
// By default, SetDesiredCapacity overrides any cooldown period associated with // Indicates whether Auto Scaling waits for the cooldown period to complete
// the Auto Scaling group. Specify True to make Auto Scaling to wait for the // before initiating a scaling activity to set your Auto Scaling group to its
// cool-down period associated with the Auto Scaling group to complete before // new capacity. By default, Auto Scaling does not honor the cooldown period
// initiating a scaling activity to set your Auto Scaling group to its new capacity. // during manual scaling activities.
HonorCooldown *bool `type:"boolean"` HonorCooldown *bool `type:"boolean"`
} }
@ -12076,10 +12128,9 @@ type TargetTrackingConfiguration struct {
CustomizedMetricSpecification *CustomizedMetricSpecification `type:"structure"` CustomizedMetricSpecification *CustomizedMetricSpecification `type:"structure"`
// Indicates whether scale in by the target tracking policy is disabled. If // Indicates whether scale in by the target tracking policy is disabled. If
// the value is true, scale in is disabled and the target tracking policy won't // scale in is disabled, the target tracking policy won't remove instances from
// remove instances from the Auto Scaling group. Otherwise, scale in is enabled // the Auto Scaling group. Otherwise, the target tracking policy can remove
// and the target tracking policy can remove instances from the Auto Scaling // instances from the Auto Scaling group. The default is disabled.
// group. The default value is false.
DisableScaleIn *bool `type:"boolean"` DisableScaleIn *bool `type:"boolean"`
// A predefined metric. You can specify either a predefined metric or a customized // A predefined metric. You can specify either a predefined metric or a customized
@ -12157,8 +12208,8 @@ type TerminateInstanceInAutoScalingGroupInput struct {
// InstanceId is a required field // InstanceId is a required field
InstanceId *string `min:"1" type:"string" required:"true"` InstanceId *string `min:"1" type:"string" required:"true"`
// If true, terminating the instance also decrements the size of the Auto Scaling // Indicates whether terminating the instance also decrements the size of the
// group. // Auto Scaling group.
// //
// ShouldDecrementDesiredCapacity is a required field // ShouldDecrementDesiredCapacity is a required field
ShouldDecrementDesiredCapacity *bool `type:"boolean" required:"true"` ShouldDecrementDesiredCapacity *bool `type:"boolean" required:"true"`
@ -12262,12 +12313,12 @@ type UpdateAutoScalingGroupInput struct {
// The service to use for the health checks. The valid values are EC2 and ELB. // The service to use for the health checks. The valid values are EC2 and ELB.
HealthCheckType *string `min:"1" type:"string"` HealthCheckType *string `min:"1" type:"string"`
// The name of the launch configuration. You must specify either a launch configuration // The name of the launch configuration. If you specify a launch configuration,
// or a launch template. // you can't specify a launch template.
LaunchConfigurationName *string `min:"1" type:"string"` LaunchConfigurationName *string `min:"1" type:"string"`
// The launch template to use to specify the updates. You must specify a launch // The launch template to use to specify the updates. If you specify a launch
// configuration or a launch template. // template, you can't specify a launch configuration.
LaunchTemplate *LaunchTemplateSpecification `type:"structure"` LaunchTemplate *LaunchTemplateSpecification `type:"structure"`
// The maximum size of the Auto Scaling group. // The maximum size of the Auto Scaling group.
@ -12285,6 +12336,10 @@ type UpdateAutoScalingGroupInput struct {
// in the Amazon Elastic Compute Cloud User Guide. // in the Amazon Elastic Compute Cloud User Guide.
PlacementGroup *string `min:"1" type:"string"` PlacementGroup *string `min:"1" type:"string"`
// The Amazon Resource Name (ARN) of the service-linked role that the Auto Scaling
// group uses to call other AWS services on your behalf.
ServiceLinkedRoleARN *string `min:"1" type:"string"`
// A standalone termination policy or a list of termination policies used to // A standalone termination policy or a list of termination policies used to
// select the instance to terminate. The policies are executed in the order // select the instance to terminate. The policies are executed in the order
// that they are listed. // that they are listed.
@ -12336,6 +12391,9 @@ func (s *UpdateAutoScalingGroupInput) Validate() error {
if s.PlacementGroup != nil && len(*s.PlacementGroup) < 1 { if s.PlacementGroup != nil && len(*s.PlacementGroup) < 1 {
invalidParams.Add(request.NewErrParamMinLen("PlacementGroup", 1)) invalidParams.Add(request.NewErrParamMinLen("PlacementGroup", 1))
} }
if s.ServiceLinkedRoleARN != nil && len(*s.ServiceLinkedRoleARN) < 1 {
invalidParams.Add(request.NewErrParamMinLen("ServiceLinkedRoleARN", 1))
}
if s.VPCZoneIdentifier != nil && len(*s.VPCZoneIdentifier) < 1 { if s.VPCZoneIdentifier != nil && len(*s.VPCZoneIdentifier) < 1 {
invalidParams.Add(request.NewErrParamMinLen("VPCZoneIdentifier", 1)) invalidParams.Add(request.NewErrParamMinLen("VPCZoneIdentifier", 1))
} }
@ -12423,6 +12481,12 @@ func (s *UpdateAutoScalingGroupInput) SetPlacementGroup(v string) *UpdateAutoSca
return s return s
} }
// SetServiceLinkedRoleARN sets the ServiceLinkedRoleARN field's value.
func (s *UpdateAutoScalingGroupInput) SetServiceLinkedRoleARN(v string) *UpdateAutoScalingGroupInput {
s.ServiceLinkedRoleARN = &v
return s
}
// SetTerminationPolicies sets the TerminationPolicies field's value. // SetTerminationPolicies sets the TerminationPolicies field's value.
func (s *UpdateAutoScalingGroupInput) SetTerminationPolicies(v []*string) *UpdateAutoScalingGroupInput { func (s *UpdateAutoScalingGroupInput) SetTerminationPolicies(v []*string) *UpdateAutoScalingGroupInput {
s.TerminationPolicies = v s.TerminationPolicies = v

View File

@ -3,9 +3,10 @@
// Package autoscaling provides the client and types for making API // Package autoscaling provides the client and types for making API
// requests to Auto Scaling. // requests to Auto Scaling.
// //
// Auto Scaling is designed to automatically launch or terminate EC2 instances // Amazon EC2 Auto Scaling is designed to automatically launch or terminate
// based on user-defined policies, schedules, and health checks. Use this service // EC2 instances based on user-defined policies, schedules, and health checks.
// in conjunction with the Amazon CloudWatch and Elastic Load Balancing services. // Use this service in conjunction with the AWS Auto Scaling, Amazon CloudWatch,
// and Elastic Load Balancing services.
// //
// See https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01 for more information on this service. // See https://docs.aws.amazon.com/goto/WebAPI/autoscaling-2011-01-01 for more information on this service.
// //

View File

@ -44,4 +44,10 @@ const (
// The operation can't be performed because there are scaling activities in // The operation can't be performed because there are scaling activities in
// progress. // progress.
ErrCodeScalingActivityInProgressFault = "ScalingActivityInProgress" ErrCodeScalingActivityInProgressFault = "ScalingActivityInProgress"
// ErrCodeServiceLinkedRoleFailure for service response error code
// "ServiceLinkedRoleFailure".
//
// The service-linked role is not yet ready for use.
ErrCodeServiceLinkedRoleFailure = "ServiceLinkedRoleFailure"
) )

View File

@ -14,7 +14,7 @@ const opCancelJob = "CancelJob"
// CancelJobRequest generates a "aws/request.Request" representing the // CancelJobRequest generates a "aws/request.Request" representing the
// client's request for the CancelJob operation. The "output" return // client's request for the CancelJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -102,7 +102,7 @@ const opCreateComputeEnvironment = "CreateComputeEnvironment"
// CreateComputeEnvironmentRequest generates a "aws/request.Request" representing the // CreateComputeEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the CreateComputeEnvironment operation. The "output" return // client's request for the CreateComputeEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -207,7 +207,7 @@ const opCreateJobQueue = "CreateJobQueue"
// CreateJobQueueRequest generates a "aws/request.Request" representing the // CreateJobQueueRequest generates a "aws/request.Request" representing the
// client's request for the CreateJobQueue operation. The "output" return // client's request for the CreateJobQueue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -299,7 +299,7 @@ const opDeleteComputeEnvironment = "DeleteComputeEnvironment"
// DeleteComputeEnvironmentRequest generates a "aws/request.Request" representing the // DeleteComputeEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the DeleteComputeEnvironment operation. The "output" return // client's request for the DeleteComputeEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -387,7 +387,7 @@ const opDeleteJobQueue = "DeleteJobQueue"
// DeleteJobQueueRequest generates a "aws/request.Request" representing the // DeleteJobQueueRequest generates a "aws/request.Request" representing the
// client's request for the DeleteJobQueue operation. The "output" return // client's request for the DeleteJobQueue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -476,7 +476,7 @@ const opDeregisterJobDefinition = "DeregisterJobDefinition"
// DeregisterJobDefinitionRequest generates a "aws/request.Request" representing the // DeregisterJobDefinitionRequest generates a "aws/request.Request" representing the
// client's request for the DeregisterJobDefinition operation. The "output" return // client's request for the DeregisterJobDefinition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -560,7 +560,7 @@ const opDescribeComputeEnvironments = "DescribeComputeEnvironments"
// DescribeComputeEnvironmentsRequest generates a "aws/request.Request" representing the // DescribeComputeEnvironmentsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeComputeEnvironments operation. The "output" return // client's request for the DescribeComputeEnvironments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -648,7 +648,7 @@ const opDescribeJobDefinitions = "DescribeJobDefinitions"
// DescribeJobDefinitionsRequest generates a "aws/request.Request" representing the // DescribeJobDefinitionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeJobDefinitions operation. The "output" return // client's request for the DescribeJobDefinitions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -733,7 +733,7 @@ const opDescribeJobQueues = "DescribeJobQueues"
// DescribeJobQueuesRequest generates a "aws/request.Request" representing the // DescribeJobQueuesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeJobQueues operation. The "output" return // client's request for the DescribeJobQueues operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -817,7 +817,7 @@ const opDescribeJobs = "DescribeJobs"
// DescribeJobsRequest generates a "aws/request.Request" representing the // DescribeJobsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeJobs operation. The "output" return // client's request for the DescribeJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -901,7 +901,7 @@ const opListJobs = "ListJobs"
// ListJobsRequest generates a "aws/request.Request" representing the // ListJobsRequest generates a "aws/request.Request" representing the
// client's request for the ListJobs operation. The "output" return // client's request for the ListJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -987,7 +987,7 @@ const opRegisterJobDefinition = "RegisterJobDefinition"
// RegisterJobDefinitionRequest generates a "aws/request.Request" representing the // RegisterJobDefinitionRequest generates a "aws/request.Request" representing the
// client's request for the RegisterJobDefinition operation. The "output" return // client's request for the RegisterJobDefinition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1071,7 +1071,7 @@ const opSubmitJob = "SubmitJob"
// SubmitJobRequest generates a "aws/request.Request" representing the // SubmitJobRequest generates a "aws/request.Request" representing the
// client's request for the SubmitJob operation. The "output" return // client's request for the SubmitJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1156,7 +1156,7 @@ const opTerminateJob = "TerminateJob"
// TerminateJobRequest generates a "aws/request.Request" representing the // TerminateJobRequest generates a "aws/request.Request" representing the
// client's request for the TerminateJob operation. The "output" return // client's request for the TerminateJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1242,7 +1242,7 @@ const opUpdateComputeEnvironment = "UpdateComputeEnvironment"
// UpdateComputeEnvironmentRequest generates a "aws/request.Request" representing the // UpdateComputeEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the UpdateComputeEnvironment operation. The "output" return // client's request for the UpdateComputeEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1326,7 +1326,7 @@ const opUpdateJobQueue = "UpdateJobQueue"
// UpdateJobQueueRequest generates a "aws/request.Request" representing the // UpdateJobQueueRequest generates a "aws/request.Request" representing the
// client's request for the UpdateJobQueue operation. The "output" return // client's request for the UpdateJobQueue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -14,7 +14,7 @@ const opCreateEnvironmentEC2 = "CreateEnvironmentEC2"
// CreateEnvironmentEC2Request generates a "aws/request.Request" representing the // CreateEnvironmentEC2Request generates a "aws/request.Request" representing the
// client's request for the CreateEnvironmentEC2 operation. The "output" return // client's request for the CreateEnvironmentEC2 operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -113,7 +113,7 @@ const opCreateEnvironmentMembership = "CreateEnvironmentMembership"
// CreateEnvironmentMembershipRequest generates a "aws/request.Request" representing the // CreateEnvironmentMembershipRequest generates a "aws/request.Request" representing the
// client's request for the CreateEnvironmentMembership operation. The "output" return // client's request for the CreateEnvironmentMembership operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -210,7 +210,7 @@ const opDeleteEnvironment = "DeleteEnvironment"
// DeleteEnvironmentRequest generates a "aws/request.Request" representing the // DeleteEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the DeleteEnvironment operation. The "output" return // client's request for the DeleteEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -308,7 +308,7 @@ const opDeleteEnvironmentMembership = "DeleteEnvironmentMembership"
// DeleteEnvironmentMembershipRequest generates a "aws/request.Request" representing the // DeleteEnvironmentMembershipRequest generates a "aws/request.Request" representing the
// client's request for the DeleteEnvironmentMembership operation. The "output" return // client's request for the DeleteEnvironmentMembership operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -405,7 +405,7 @@ const opDescribeEnvironmentMemberships = "DescribeEnvironmentMemberships"
// DescribeEnvironmentMembershipsRequest generates a "aws/request.Request" representing the // DescribeEnvironmentMembershipsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironmentMemberships operation. The "output" return // client's request for the DescribeEnvironmentMemberships operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -559,7 +559,7 @@ const opDescribeEnvironmentStatus = "DescribeEnvironmentStatus"
// DescribeEnvironmentStatusRequest generates a "aws/request.Request" representing the // DescribeEnvironmentStatusRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironmentStatus operation. The "output" return // client's request for the DescribeEnvironmentStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -656,7 +656,7 @@ const opDescribeEnvironments = "DescribeEnvironments"
// DescribeEnvironmentsRequest generates a "aws/request.Request" representing the // DescribeEnvironmentsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironments operation. The "output" return // client's request for the DescribeEnvironments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -753,7 +753,7 @@ const opListEnvironments = "ListEnvironments"
// ListEnvironmentsRequest generates a "aws/request.Request" representing the // ListEnvironmentsRequest generates a "aws/request.Request" representing the
// client's request for the ListEnvironments operation. The "output" return // client's request for the ListEnvironments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -906,7 +906,7 @@ const opUpdateEnvironment = "UpdateEnvironment"
// UpdateEnvironmentRequest generates a "aws/request.Request" representing the // UpdateEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the UpdateEnvironment operation. The "output" return // client's request for the UpdateEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1003,7 +1003,7 @@ const opUpdateEnvironmentMembership = "UpdateEnvironmentMembership"
// UpdateEnvironmentMembershipRequest generates a "aws/request.Request" representing the // UpdateEnvironmentMembershipRequest generates a "aws/request.Request" representing the
// client's request for the UpdateEnvironmentMembership operation. The "output" return // client's request for the UpdateEnvironmentMembership operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opCancelUpdateStack = "CancelUpdateStack"
// CancelUpdateStackRequest generates a "aws/request.Request" representing the // CancelUpdateStackRequest generates a "aws/request.Request" representing the
// client's request for the CancelUpdateStack operation. The "output" return // client's request for the CancelUpdateStack operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -101,7 +101,7 @@ const opContinueUpdateRollback = "ContinueUpdateRollback"
// ContinueUpdateRollbackRequest generates a "aws/request.Request" representing the // ContinueUpdateRollbackRequest generates a "aws/request.Request" representing the
// client's request for the ContinueUpdateRollback operation. The "output" return // client's request for the ContinueUpdateRollback operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -192,7 +192,7 @@ const opCreateChangeSet = "CreateChangeSet"
// CreateChangeSetRequest generates a "aws/request.Request" representing the // CreateChangeSetRequest generates a "aws/request.Request" representing the
// client's request for the CreateChangeSet operation. The "output" return // client's request for the CreateChangeSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -300,7 +300,7 @@ const opCreateStack = "CreateStack"
// CreateStackRequest generates a "aws/request.Request" representing the // CreateStackRequest generates a "aws/request.Request" representing the
// client's request for the CreateStack operation. The "output" return // client's request for the CreateStack operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -393,7 +393,7 @@ const opCreateStackInstances = "CreateStackInstances"
// CreateStackInstancesRequest generates a "aws/request.Request" representing the // CreateStackInstancesRequest generates a "aws/request.Request" representing the
// client's request for the CreateStackInstances operation. The "output" return // client's request for the CreateStackInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -494,7 +494,7 @@ const opCreateStackSet = "CreateStackSet"
// CreateStackSetRequest generates a "aws/request.Request" representing the // CreateStackSetRequest generates a "aws/request.Request" representing the
// client's request for the CreateStackSet operation. The "output" return // client's request for the CreateStackSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -581,7 +581,7 @@ const opDeleteChangeSet = "DeleteChangeSet"
// DeleteChangeSetRequest generates a "aws/request.Request" representing the // DeleteChangeSetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteChangeSet operation. The "output" return // client's request for the DeleteChangeSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -666,7 +666,7 @@ const opDeleteStack = "DeleteStack"
// DeleteStackRequest generates a "aws/request.Request" representing the // DeleteStackRequest generates a "aws/request.Request" representing the
// client's request for the DeleteStack operation. The "output" return // client's request for the DeleteStack operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -749,7 +749,7 @@ const opDeleteStackInstances = "DeleteStackInstances"
// DeleteStackInstancesRequest generates a "aws/request.Request" representing the // DeleteStackInstancesRequest generates a "aws/request.Request" representing the
// client's request for the DeleteStackInstances operation. The "output" return // client's request for the DeleteStackInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -842,7 +842,7 @@ const opDeleteStackSet = "DeleteStackSet"
// DeleteStackSetRequest generates a "aws/request.Request" representing the // DeleteStackSetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteStackSet operation. The "output" return // client's request for the DeleteStackSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -929,7 +929,7 @@ const opDescribeAccountLimits = "DescribeAccountLimits"
// DescribeAccountLimitsRequest generates a "aws/request.Request" representing the // DescribeAccountLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAccountLimits operation. The "output" return // client's request for the DescribeAccountLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1004,7 +1004,7 @@ const opDescribeChangeSet = "DescribeChangeSet"
// DescribeChangeSetRequest generates a "aws/request.Request" representing the // DescribeChangeSetRequest generates a "aws/request.Request" representing the
// client's request for the DescribeChangeSet operation. The "output" return // client's request for the DescribeChangeSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1087,7 +1087,7 @@ const opDescribeStackEvents = "DescribeStackEvents"
// DescribeStackEventsRequest generates a "aws/request.Request" representing the // DescribeStackEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStackEvents operation. The "output" return // client's request for the DescribeStackEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1222,7 +1222,7 @@ const opDescribeStackInstance = "DescribeStackInstance"
// DescribeStackInstanceRequest generates a "aws/request.Request" representing the // DescribeStackInstanceRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStackInstance operation. The "output" return // client's request for the DescribeStackInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1308,7 +1308,7 @@ const opDescribeStackResource = "DescribeStackResource"
// DescribeStackResourceRequest generates a "aws/request.Request" representing the // DescribeStackResourceRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStackResource operation. The "output" return // client's request for the DescribeStackResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1385,7 +1385,7 @@ const opDescribeStackResources = "DescribeStackResources"
// DescribeStackResourcesRequest generates a "aws/request.Request" representing the // DescribeStackResourcesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStackResources operation. The "output" return // client's request for the DescribeStackResources operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1476,7 +1476,7 @@ const opDescribeStackSet = "DescribeStackSet"
// DescribeStackSetRequest generates a "aws/request.Request" representing the // DescribeStackSetRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStackSet operation. The "output" return // client's request for the DescribeStackSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1555,7 +1555,7 @@ const opDescribeStackSetOperation = "DescribeStackSetOperation"
// DescribeStackSetOperationRequest generates a "aws/request.Request" representing the // DescribeStackSetOperationRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStackSetOperation operation. The "output" return // client's request for the DescribeStackSetOperation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1637,7 +1637,7 @@ const opDescribeStacks = "DescribeStacks"
// DescribeStacksRequest generates a "aws/request.Request" representing the // DescribeStacksRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStacks operation. The "output" return // client's request for the DescribeStacks operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1770,7 +1770,7 @@ const opEstimateTemplateCost = "EstimateTemplateCost"
// EstimateTemplateCostRequest generates a "aws/request.Request" representing the // EstimateTemplateCostRequest generates a "aws/request.Request" representing the
// client's request for the EstimateTemplateCost operation. The "output" return // client's request for the EstimateTemplateCost operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1846,7 +1846,7 @@ const opExecuteChangeSet = "ExecuteChangeSet"
// ExecuteChangeSetRequest generates a "aws/request.Request" representing the // ExecuteChangeSetRequest generates a "aws/request.Request" representing the
// client's request for the ExecuteChangeSet operation. The "output" return // client's request for the ExecuteChangeSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1949,7 +1949,7 @@ const opGetStackPolicy = "GetStackPolicy"
// GetStackPolicyRequest generates a "aws/request.Request" representing the // GetStackPolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetStackPolicy operation. The "output" return // client's request for the GetStackPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2024,7 +2024,7 @@ const opGetTemplate = "GetTemplate"
// GetTemplateRequest generates a "aws/request.Request" representing the // GetTemplateRequest generates a "aws/request.Request" representing the
// client's request for the GetTemplate operation. The "output" return // client's request for the GetTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2110,7 +2110,7 @@ const opGetTemplateSummary = "GetTemplateSummary"
// GetTemplateSummaryRequest generates a "aws/request.Request" representing the // GetTemplateSummaryRequest generates a "aws/request.Request" representing the
// client's request for the GetTemplateSummary operation. The "output" return // client's request for the GetTemplateSummary operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2200,7 +2200,7 @@ const opListChangeSets = "ListChangeSets"
// ListChangeSetsRequest generates a "aws/request.Request" representing the // ListChangeSetsRequest generates a "aws/request.Request" representing the
// client's request for the ListChangeSets operation. The "output" return // client's request for the ListChangeSets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2276,7 +2276,7 @@ const opListExports = "ListExports"
// ListExportsRequest generates a "aws/request.Request" representing the // ListExportsRequest generates a "aws/request.Request" representing the
// client's request for the ListExports operation. The "output" return // client's request for the ListExports operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2412,7 +2412,7 @@ const opListImports = "ListImports"
// ListImportsRequest generates a "aws/request.Request" representing the // ListImportsRequest generates a "aws/request.Request" representing the
// client's request for the ListImports operation. The "output" return // client's request for the ListImports operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2548,7 +2548,7 @@ const opListStackInstances = "ListStackInstances"
// ListStackInstancesRequest generates a "aws/request.Request" representing the // ListStackInstancesRequest generates a "aws/request.Request" representing the
// client's request for the ListStackInstances operation. The "output" return // client's request for the ListStackInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2629,7 +2629,7 @@ const opListStackResources = "ListStackResources"
// ListStackResourcesRequest generates a "aws/request.Request" representing the // ListStackResourcesRequest generates a "aws/request.Request" representing the
// client's request for the ListStackResources operation. The "output" return // client's request for the ListStackResources operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2762,7 +2762,7 @@ const opListStackSetOperationResults = "ListStackSetOperationResults"
// ListStackSetOperationResultsRequest generates a "aws/request.Request" representing the // ListStackSetOperationResultsRequest generates a "aws/request.Request" representing the
// client's request for the ListStackSetOperationResults operation. The "output" return // client's request for the ListStackSetOperationResults operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2844,7 +2844,7 @@ const opListStackSetOperations = "ListStackSetOperations"
// ListStackSetOperationsRequest generates a "aws/request.Request" representing the // ListStackSetOperationsRequest generates a "aws/request.Request" representing the
// client's request for the ListStackSetOperations operation. The "output" return // client's request for the ListStackSetOperations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2923,7 +2923,7 @@ const opListStackSets = "ListStackSets"
// ListStackSetsRequest generates a "aws/request.Request" representing the // ListStackSetsRequest generates a "aws/request.Request" representing the
// client's request for the ListStackSets operation. The "output" return // client's request for the ListStackSets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2998,7 +2998,7 @@ const opListStacks = "ListStacks"
// ListStacksRequest generates a "aws/request.Request" representing the // ListStacksRequest generates a "aws/request.Request" representing the
// client's request for the ListStacks operation. The "output" return // client's request for the ListStacks operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3132,7 +3132,7 @@ const opSetStackPolicy = "SetStackPolicy"
// SetStackPolicyRequest generates a "aws/request.Request" representing the // SetStackPolicyRequest generates a "aws/request.Request" representing the
// client's request for the SetStackPolicy operation. The "output" return // client's request for the SetStackPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3208,7 +3208,7 @@ const opSignalResource = "SignalResource"
// SignalResourceRequest generates a "aws/request.Request" representing the // SignalResourceRequest generates a "aws/request.Request" representing the
// client's request for the SignalResource operation. The "output" return // client's request for the SignalResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3289,7 +3289,7 @@ const opStopStackSetOperation = "StopStackSetOperation"
// StopStackSetOperationRequest generates a "aws/request.Request" representing the // StopStackSetOperationRequest generates a "aws/request.Request" representing the
// client's request for the StopStackSetOperation operation. The "output" return // client's request for the StopStackSetOperation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3374,7 +3374,7 @@ const opUpdateStack = "UpdateStack"
// UpdateStackRequest generates a "aws/request.Request" representing the // UpdateStackRequest generates a "aws/request.Request" representing the
// client's request for the UpdateStack operation. The "output" return // client's request for the UpdateStack operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3465,7 +3465,7 @@ const opUpdateStackInstances = "UpdateStackInstances"
// UpdateStackInstancesRequest generates a "aws/request.Request" representing the // UpdateStackInstancesRequest generates a "aws/request.Request" representing the
// client's request for the UpdateStackInstances operation. The "output" return // client's request for the UpdateStackInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3578,7 +3578,7 @@ const opUpdateStackSet = "UpdateStackSet"
// UpdateStackSetRequest generates a "aws/request.Request" representing the // UpdateStackSetRequest generates a "aws/request.Request" representing the
// client's request for the UpdateStackSet operation. The "output" return // client's request for the UpdateStackSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3676,7 +3676,7 @@ const opUpdateTerminationProtection = "UpdateTerminationProtection"
// UpdateTerminationProtectionRequest generates a "aws/request.Request" representing the // UpdateTerminationProtectionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateTerminationProtection operation. The "output" return // client's request for the UpdateTerminationProtection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3758,7 +3758,7 @@ const opValidateTemplate = "ValidateTemplate"
// ValidateTemplateRequest generates a "aws/request.Request" representing the // ValidateTemplateRequest generates a "aws/request.Request" representing the
// client's request for the ValidateTemplate operation. The "output" return // client's request for the ValidateTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5125,6 +5125,16 @@ func (s *CreateStackOutput) SetStackId(v string) *CreateStackOutput {
type CreateStackSetInput struct { type CreateStackSetInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The Amazon Resource Number (ARN) of the IAM role to use to create this stack
// set.
//
// Specify an IAM role only if you are using customized administrator roles
// to control which users or groups can manage specific stack sets within the
// same administrator account. For more information, see Define Permissions
// for Multiple Administrators (http://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stacksets-prereqs.html)
// in the AWS CloudFormation User Guide.
AdministrationRoleARN *string `min:"20" type:"string"`
// A list of values that you must specify before AWS CloudFormation can create // A list of values that you must specify before AWS CloudFormation can create
// certain stack sets. Some stack set templates might include resources that // certain stack sets. Some stack set templates might include resources that
// can affect permissions in your AWS account—for example, by creating new AWS // can affect permissions in your AWS account—for example, by creating new AWS
@ -5229,6 +5239,9 @@ func (s CreateStackSetInput) GoString() string {
// Validate inspects the fields of the type to determine if they are valid. // Validate inspects the fields of the type to determine if they are valid.
func (s *CreateStackSetInput) Validate() error { func (s *CreateStackSetInput) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "CreateStackSetInput"} invalidParams := request.ErrInvalidParams{Context: "CreateStackSetInput"}
if s.AdministrationRoleARN != nil && len(*s.AdministrationRoleARN) < 20 {
invalidParams.Add(request.NewErrParamMinLen("AdministrationRoleARN", 20))
}
if s.ClientRequestToken != nil && len(*s.ClientRequestToken) < 1 { if s.ClientRequestToken != nil && len(*s.ClientRequestToken) < 1 {
invalidParams.Add(request.NewErrParamMinLen("ClientRequestToken", 1)) invalidParams.Add(request.NewErrParamMinLen("ClientRequestToken", 1))
} }
@ -5261,6 +5274,12 @@ func (s *CreateStackSetInput) Validate() error {
return nil return nil
} }
// SetAdministrationRoleARN sets the AdministrationRoleARN field's value.
func (s *CreateStackSetInput) SetAdministrationRoleARN(v string) *CreateStackSetInput {
s.AdministrationRoleARN = &v
return s
}
// SetCapabilities sets the Capabilities field's value. // SetCapabilities sets the Capabilities field's value.
func (s *CreateStackSetInput) SetCapabilities(v []*string) *CreateStackSetInput { func (s *CreateStackSetInput) SetCapabilities(v []*string) *CreateStackSetInput {
s.Capabilities = v s.Capabilities = v
@ -8527,38 +8546,21 @@ func (s *ResourceTargetDefinition) SetRequiresRecreation(v string) *ResourceTarg
// Rollback triggers enable you to have AWS CloudFormation monitor the state // Rollback triggers enable you to have AWS CloudFormation monitor the state
// of your application during stack creation and updating, and to roll back // of your application during stack creation and updating, and to roll back
// that operation if the application breaches the threshold of any of the alarms // that operation if the application breaches the threshold of any of the alarms
// you've specified. For each rollback trigger you create, you specify the Cloudwatch // you've specified. For more information, see Monitor and Roll Back Stack Operations
// alarm that CloudFormation should monitor. CloudFormation monitors the specified // (http://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-rollback-triggers.html).
// alarms during the stack create or update operation, and for the specified
// amount of time after all resources have been deployed. If any of the alarms
// goes to ALERT state during the stack operation or the monitoring period,
// CloudFormation rolls back the entire stack operation. If the monitoring period
// expires without any alarms going to ALERT state, CloudFormation proceeds
// to dispose of old resources as usual.
//
// By default, CloudFormation only rolls back stack operations if an alarm goes
// to ALERT state, not INSUFFICIENT_DATA state. To have CloudFormation roll
// back the stack operation if an alarm goes to INSUFFICIENT_DATA state as well,
// edit the CloudWatch alarm to treat missing data as breaching. For more information,
// see Configuring How CloudWatch Alarms Treats Missing Data (http://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/AlarmThatSendsEmail.html).
//
// AWS CloudFormation does not monitor rollback triggers when it rolls back
// a stack during an update operation.
type RollbackConfiguration struct { type RollbackConfiguration struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The amount of time, in minutes, during which CloudFormation should monitor // The amount of time, in minutes, during which CloudFormation should monitor
// all the rollback triggers after the stack creation or update operation deploys // all the rollback triggers after the stack creation or update operation deploys
// all necessary resources. If any of the alarms goes to ALERT state during // all necessary resources.
// the stack operation or this monitoring period, CloudFormation rolls back //
// the entire stack operation. Then, for update operations, if the monitoring // The default is 0 minutes.
// period expires without any alarms going to ALERT state CloudFormation proceeds
// to dispose of old resources as usual.
// //
// If you specify a monitoring period but do not specify any rollback triggers, // If you specify a monitoring period but do not specify any rollback triggers,
// CloudFormation still waits the specified period of time before cleaning up // CloudFormation still waits the specified period of time before cleaning up
// old resources for update operations. You can use this monitoring period to // old resources after update operations. You can use this monitoring period
// perform any manual stack validation desired, and manually cancel the stack // to perform any manual stack validation desired, and manually cancel the stack
// creation or update (using CancelUpdateStack (http://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_CancelUpdateStack.html), // creation or update (using CancelUpdateStack (http://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_CancelUpdateStack.html),
// for example) as necessary. // for example) as necessary.
// //
@ -8576,20 +8578,20 @@ type RollbackConfiguration struct {
// parameter, those triggers replace any list of triggers previously specified // parameter, those triggers replace any list of triggers previously specified
// for the stack. This means: // for the stack. This means:
// //
// * If you don't specify this parameter, AWS CloudFormation uses the rollback // * To use the rollback triggers previously specified for this stack, if
// triggers previously specified for this stack, if any. // any, don't specify this parameter.
// //
// * If you specify any rollback triggers using this parameter, you must // * To specify new or updated rollback triggers, you must specify all the
// specify all the triggers that you want used for this stack, even triggers // triggers that you want used for this stack, even triggers you've specifed
// you've specifed before (for example, when creating the stack or during // before (for example, when creating the stack or during a previous stack
// a previous stack update). Any triggers that you don't include in the updated // update). Any triggers that you don't include in the updated list of triggers
// list of triggers are no longer applied to the stack. // are no longer applied to the stack.
// //
// * If you specify an empty list, AWS CloudFormation removes all currently // * To remove all currently specified triggers, specify an empty list for
// specified triggers. // this parameter.
// //
// If a specified Cloudwatch alarm is missing, the entire stack operation fails // If a specified trigger is missing, the entire stack operation fails and is
// and is rolled back. // rolled back.
RollbackTriggers []*RollbackTrigger `type:"list"` RollbackTriggers []*RollbackTrigger `type:"list"`
} }
@ -8636,7 +8638,7 @@ func (s *RollbackConfiguration) SetRollbackTriggers(v []*RollbackTrigger) *Rollb
} }
// A rollback trigger AWS CloudFormation monitors during creation and updating // A rollback trigger AWS CloudFormation monitors during creation and updating
// of stacks. If any of the alarms you specify goes to ALERT state during the // of stacks. If any of the alarms you specify goes to ALARM state during the
// stack operation or within the specified monitoring period afterwards, CloudFormation // stack operation or within the specified monitoring period afterwards, CloudFormation
// rolls back the entire stack operation. // rolls back the entire stack operation.
type RollbackTrigger struct { type RollbackTrigger struct {
@ -8644,6 +8646,9 @@ type RollbackTrigger struct {
// The Amazon Resource Name (ARN) of the rollback trigger. // The Amazon Resource Name (ARN) of the rollback trigger.
// //
// If a specified trigger is missing, the entire stack operation fails and is
// rolled back.
//
// Arn is a required field // Arn is a required field
Arn *string `type:"string" required:"true"` Arn *string `type:"string" required:"true"`
@ -9755,6 +9760,15 @@ func (s *StackResourceSummary) SetResourceType(v string) *StackResourceSummary {
type StackSet struct { type StackSet struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The Amazon Resource Number (ARN) of the IAM role used to create or update
// the stack set.
//
// Use customized administrator roles to control which users or groups can manage
// specific stack sets within the same administrator account. For more information,
// see Define Permissions for Multiple Administrators (http://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stacksets-prereqs.html)
// in the AWS CloudFormation User Guide.
AdministrationRoleARN *string `min:"20" type:"string"`
// The capabilities that are allowed in the stack set. Some stack set templates // The capabilities that are allowed in the stack set. Some stack set templates
// might include resources that can affect permissions in your AWS account—for // might include resources that can affect permissions in your AWS account—for
// example, by creating new AWS Identity and Access Management (IAM) users. // example, by creating new AWS Identity and Access Management (IAM) users.
@ -9769,6 +9783,9 @@ type StackSet struct {
// A list of input parameters for a stack set. // A list of input parameters for a stack set.
Parameters []*Parameter `type:"list"` Parameters []*Parameter `type:"list"`
// The Amazon Resource Number (ARN) of the stack set.
StackSetARN *string `type:"string"`
// The ID of the stack set. // The ID of the stack set.
StackSetId *string `type:"string"` StackSetId *string `type:"string"`
@ -9797,6 +9814,12 @@ func (s StackSet) GoString() string {
return s.String() return s.String()
} }
// SetAdministrationRoleARN sets the AdministrationRoleARN field's value.
func (s *StackSet) SetAdministrationRoleARN(v string) *StackSet {
s.AdministrationRoleARN = &v
return s
}
// SetCapabilities sets the Capabilities field's value. // SetCapabilities sets the Capabilities field's value.
func (s *StackSet) SetCapabilities(v []*string) *StackSet { func (s *StackSet) SetCapabilities(v []*string) *StackSet {
s.Capabilities = v s.Capabilities = v
@ -9815,6 +9838,12 @@ func (s *StackSet) SetParameters(v []*Parameter) *StackSet {
return s return s
} }
// SetStackSetARN sets the StackSetARN field's value.
func (s *StackSet) SetStackSetARN(v string) *StackSet {
s.StackSetARN = &v
return s
}
// SetStackSetId sets the StackSetId field's value. // SetStackSetId sets the StackSetId field's value.
func (s *StackSet) SetStackSetId(v string) *StackSet { func (s *StackSet) SetStackSetId(v string) *StackSet {
s.StackSetId = &v s.StackSetId = &v
@ -9855,6 +9884,15 @@ type StackSetOperation struct {
// itself, as well as all associated stack set instances. // itself, as well as all associated stack set instances.
Action *string `type:"string" enum:"StackSetOperationAction"` Action *string `type:"string" enum:"StackSetOperationAction"`
// The Amazon Resource Number (ARN) of the IAM role used to perform this stack
// set operation.
//
// Use customized administrator roles to control which users or groups can manage
// specific stack sets within the same administrator account. For more information,
// see Define Permissions for Multiple Administrators (http://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stacksets-prereqs.html)
// in the AWS CloudFormation User Guide.
AdministrationRoleARN *string `min:"20" type:"string"`
// The time at which the operation was initiated. Note that the creation times // The time at which the operation was initiated. Note that the creation times
// for the stack set operation might differ from the creation time of the individual // for the stack set operation might differ from the creation time of the individual
// stacks themselves. This is because AWS CloudFormation needs to perform preparatory // stacks themselves. This is because AWS CloudFormation needs to perform preparatory
@ -9920,6 +9958,12 @@ func (s *StackSetOperation) SetAction(v string) *StackSetOperation {
return s return s
} }
// SetAdministrationRoleARN sets the AdministrationRoleARN field's value.
func (s *StackSetOperation) SetAdministrationRoleARN(v string) *StackSetOperation {
s.AdministrationRoleARN = &v
return s
}
// SetCreationTimestamp sets the CreationTimestamp field's value. // SetCreationTimestamp sets the CreationTimestamp field's value.
func (s *StackSetOperation) SetCreationTimestamp(v time.Time) *StackSetOperation { func (s *StackSetOperation) SetCreationTimestamp(v time.Time) *StackSetOperation {
s.CreationTimestamp = &v s.CreationTimestamp = &v
@ -11124,6 +11168,22 @@ func (s *UpdateStackOutput) SetStackId(v string) *UpdateStackOutput {
type UpdateStackSetInput struct { type UpdateStackSetInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The Amazon Resource Number (ARN) of the IAM role to use to update this stack
// set.
//
// Specify an IAM role only if you are using customized administrator roles
// to control which users or groups can manage specific stack sets within the
// same administrator account. For more information, see Define Permissions
// for Multiple Administrators (http://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stacksets-prereqs.html)
// in the AWS CloudFormation User Guide.
//
// If you specify a customized administrator role, AWS CloudFormation uses that
// role to update the stack. If you do not specify a customized administrator
// role, AWS CloudFormation performs the update using the role previously associated
// with the stack set, so long as you have permissions to perform operations
// on the stack set.
AdministrationRoleARN *string `min:"20" type:"string"`
// A list of values that you must specify before AWS CloudFormation can create // A list of values that you must specify before AWS CloudFormation can create
// certain stack sets. Some stack set templates might include resources that // certain stack sets. Some stack set templates might include resources that
// can affect permissions in your AWS account—for example, by creating new AWS // can affect permissions in your AWS account—for example, by creating new AWS
@ -11255,6 +11315,9 @@ func (s UpdateStackSetInput) GoString() string {
// Validate inspects the fields of the type to determine if they are valid. // Validate inspects the fields of the type to determine if they are valid.
func (s *UpdateStackSetInput) Validate() error { func (s *UpdateStackSetInput) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "UpdateStackSetInput"} invalidParams := request.ErrInvalidParams{Context: "UpdateStackSetInput"}
if s.AdministrationRoleARN != nil && len(*s.AdministrationRoleARN) < 20 {
invalidParams.Add(request.NewErrParamMinLen("AdministrationRoleARN", 20))
}
if s.Description != nil && len(*s.Description) < 1 { if s.Description != nil && len(*s.Description) < 1 {
invalidParams.Add(request.NewErrParamMinLen("Description", 1)) invalidParams.Add(request.NewErrParamMinLen("Description", 1))
} }
@ -11292,6 +11355,12 @@ func (s *UpdateStackSetInput) Validate() error {
return nil return nil
} }
// SetAdministrationRoleARN sets the AdministrationRoleARN field's value.
func (s *UpdateStackSetInput) SetAdministrationRoleARN(v string) *UpdateStackSetInput {
s.AdministrationRoleARN = &v
return s
}
// SetCapabilities sets the Capabilities field's value. // SetCapabilities sets the Capabilities field's value.
func (s *UpdateStackSetInput) SetCapabilities(v []*string) *UpdateStackSetInput { func (s *UpdateStackSetInput) SetCapabilities(v []*string) *UpdateStackSetInput {
s.Capabilities = v s.Capabilities = v

File diff suppressed because it is too large Load Diff

View File

@ -8,7 +8,7 @@
// errors. For detailed information about CloudFront features, see the Amazon // errors. For detailed information about CloudFront features, see the Amazon
// CloudFront Developer Guide. // CloudFront Developer Guide.
// //
// See https://docs.aws.amazon.com/goto/WebAPI/cloudfront-2017-03-25 for more information on this service. // See https://docs.aws.amazon.com/goto/WebAPI/cloudfront-2017-10-30 for more information on this service.
// //
// See cloudfront package documentation for more information. // See cloudfront package documentation for more information.
// https://docs.aws.amazon.com/sdk-for-go/api/service/cloudfront/ // https://docs.aws.amazon.com/sdk-for-go/api/service/cloudfront/

View File

@ -18,6 +18,12 @@ const (
// "CNAMEAlreadyExists". // "CNAMEAlreadyExists".
ErrCodeCNAMEAlreadyExists = "CNAMEAlreadyExists" ErrCodeCNAMEAlreadyExists = "CNAMEAlreadyExists"
// ErrCodeCannotChangeImmutablePublicKeyFields for service response error code
// "CannotChangeImmutablePublicKeyFields".
//
// You can't change the value of a public key.
ErrCodeCannotChangeImmutablePublicKeyFields = "CannotChangeImmutablePublicKeyFields"
// ErrCodeDistributionAlreadyExists for service response error code // ErrCodeDistributionAlreadyExists for service response error code
// "DistributionAlreadyExists". // "DistributionAlreadyExists".
// //
@ -29,6 +35,43 @@ const (
// "DistributionNotDisabled". // "DistributionNotDisabled".
ErrCodeDistributionNotDisabled = "DistributionNotDisabled" ErrCodeDistributionNotDisabled = "DistributionNotDisabled"
// ErrCodeFieldLevelEncryptionConfigAlreadyExists for service response error code
// "FieldLevelEncryptionConfigAlreadyExists".
//
// The specified configuration for field-level encryption already exists.
ErrCodeFieldLevelEncryptionConfigAlreadyExists = "FieldLevelEncryptionConfigAlreadyExists"
// ErrCodeFieldLevelEncryptionConfigInUse for service response error code
// "FieldLevelEncryptionConfigInUse".
//
// The specified configuration for field-level encryption is in use.
ErrCodeFieldLevelEncryptionConfigInUse = "FieldLevelEncryptionConfigInUse"
// ErrCodeFieldLevelEncryptionProfileAlreadyExists for service response error code
// "FieldLevelEncryptionProfileAlreadyExists".
//
// The specified profile for field-level encryption already exists.
ErrCodeFieldLevelEncryptionProfileAlreadyExists = "FieldLevelEncryptionProfileAlreadyExists"
// ErrCodeFieldLevelEncryptionProfileInUse for service response error code
// "FieldLevelEncryptionProfileInUse".
//
// The specified profile for field-level encryption is in use.
ErrCodeFieldLevelEncryptionProfileInUse = "FieldLevelEncryptionProfileInUse"
// ErrCodeFieldLevelEncryptionProfileSizeExceeded for service response error code
// "FieldLevelEncryptionProfileSizeExceeded".
//
// The maximum size of a profile for field-level encryption was exceeded.
ErrCodeFieldLevelEncryptionProfileSizeExceeded = "FieldLevelEncryptionProfileSizeExceeded"
// ErrCodeIllegalFieldLevelEncryptionConfigAssociationWithCacheBehavior for service response error code
// "IllegalFieldLevelEncryptionConfigAssociationWithCacheBehavior".
//
// The specified configuration for field-level encryption can't be associated
// with the specified cache behavior.
ErrCodeIllegalFieldLevelEncryptionConfigAssociationWithCacheBehavior = "IllegalFieldLevelEncryptionConfigAssociationWithCacheBehavior"
// ErrCodeIllegalUpdate for service response error code // ErrCodeIllegalUpdate for service response error code
// "IllegalUpdate". // "IllegalUpdate".
// //
@ -180,6 +223,18 @@ const (
// The specified distribution does not exist. // The specified distribution does not exist.
ErrCodeNoSuchDistribution = "NoSuchDistribution" ErrCodeNoSuchDistribution = "NoSuchDistribution"
// ErrCodeNoSuchFieldLevelEncryptionConfig for service response error code
// "NoSuchFieldLevelEncryptionConfig".
//
// The specified configuration for field-level encryption doesn't exist.
ErrCodeNoSuchFieldLevelEncryptionConfig = "NoSuchFieldLevelEncryptionConfig"
// ErrCodeNoSuchFieldLevelEncryptionProfile for service response error code
// "NoSuchFieldLevelEncryptionProfile".
//
// The specified profile for field-level encryption doesn't exist.
ErrCodeNoSuchFieldLevelEncryptionProfile = "NoSuchFieldLevelEncryptionProfile"
// ErrCodeNoSuchInvalidation for service response error code // ErrCodeNoSuchInvalidation for service response error code
// "NoSuchInvalidation". // "NoSuchInvalidation".
// //
@ -192,6 +247,12 @@ const (
// No origin exists with the specified Origin Id. // No origin exists with the specified Origin Id.
ErrCodeNoSuchOrigin = "NoSuchOrigin" ErrCodeNoSuchOrigin = "NoSuchOrigin"
// ErrCodeNoSuchPublicKey for service response error code
// "NoSuchPublicKey".
//
// The specified public key doesn't exist.
ErrCodeNoSuchPublicKey = "NoSuchPublicKey"
// ErrCodeNoSuchResource for service response error code // ErrCodeNoSuchResource for service response error code
// "NoSuchResource". // "NoSuchResource".
ErrCodeNoSuchResource = "NoSuchResource" ErrCodeNoSuchResource = "NoSuchResource"
@ -222,6 +283,24 @@ const (
// to false. // to false.
ErrCodePreconditionFailed = "PreconditionFailed" ErrCodePreconditionFailed = "PreconditionFailed"
// ErrCodePublicKeyAlreadyExists for service response error code
// "PublicKeyAlreadyExists".
//
// The specified public key already exists.
ErrCodePublicKeyAlreadyExists = "PublicKeyAlreadyExists"
// ErrCodePublicKeyInUse for service response error code
// "PublicKeyInUse".
//
// The specified public key is in use.
ErrCodePublicKeyInUse = "PublicKeyInUse"
// ErrCodeQueryArgProfileEmpty for service response error code
// "QueryArgProfileEmpty".
//
// No profile specified for the field-level encryption query argument.
ErrCodeQueryArgProfileEmpty = "QueryArgProfileEmpty"
// ErrCodeResourceInUse for service response error code // ErrCodeResourceInUse for service response error code
// "ResourceInUse". // "ResourceInUse".
ErrCodeResourceInUse = "ResourceInUse" ErrCodeResourceInUse = "ResourceInUse"
@ -273,6 +352,13 @@ const (
// allowed. // allowed.
ErrCodeTooManyDistributions = "TooManyDistributions" ErrCodeTooManyDistributions = "TooManyDistributions"
// ErrCodeTooManyDistributionsAssociatedToFieldLevelEncryptionConfig for service response error code
// "TooManyDistributionsAssociatedToFieldLevelEncryptionConfig".
//
// The maximum number of distributions have been associated with the specified
// configuration for field-level encryption.
ErrCodeTooManyDistributionsAssociatedToFieldLevelEncryptionConfig = "TooManyDistributionsAssociatedToFieldLevelEncryptionConfig"
// ErrCodeTooManyDistributionsWithLambdaAssociations for service response error code // ErrCodeTooManyDistributionsWithLambdaAssociations for service response error code
// "TooManyDistributionsWithLambdaAssociations". // "TooManyDistributionsWithLambdaAssociations".
// //
@ -280,6 +366,47 @@ const (
// Lambda function associations per owner to be exceeded. // Lambda function associations per owner to be exceeded.
ErrCodeTooManyDistributionsWithLambdaAssociations = "TooManyDistributionsWithLambdaAssociations" ErrCodeTooManyDistributionsWithLambdaAssociations = "TooManyDistributionsWithLambdaAssociations"
// ErrCodeTooManyFieldLevelEncryptionConfigs for service response error code
// "TooManyFieldLevelEncryptionConfigs".
//
// The maximum number of configurations for field-level encryption have been
// created.
ErrCodeTooManyFieldLevelEncryptionConfigs = "TooManyFieldLevelEncryptionConfigs"
// ErrCodeTooManyFieldLevelEncryptionContentTypeProfiles for service response error code
// "TooManyFieldLevelEncryptionContentTypeProfiles".
//
// The maximum number of content type profiles for field-level encryption have
// been created.
ErrCodeTooManyFieldLevelEncryptionContentTypeProfiles = "TooManyFieldLevelEncryptionContentTypeProfiles"
// ErrCodeTooManyFieldLevelEncryptionEncryptionEntities for service response error code
// "TooManyFieldLevelEncryptionEncryptionEntities".
//
// The maximum number of encryption entities for field-level encryption have
// been created.
ErrCodeTooManyFieldLevelEncryptionEncryptionEntities = "TooManyFieldLevelEncryptionEncryptionEntities"
// ErrCodeTooManyFieldLevelEncryptionFieldPatterns for service response error code
// "TooManyFieldLevelEncryptionFieldPatterns".
//
// The maximum number of field patterns for field-level encryption have been
// created.
ErrCodeTooManyFieldLevelEncryptionFieldPatterns = "TooManyFieldLevelEncryptionFieldPatterns"
// ErrCodeTooManyFieldLevelEncryptionProfiles for service response error code
// "TooManyFieldLevelEncryptionProfiles".
//
// The maximum number of profiles for field-level encryption have been created.
ErrCodeTooManyFieldLevelEncryptionProfiles = "TooManyFieldLevelEncryptionProfiles"
// ErrCodeTooManyFieldLevelEncryptionQueryArgProfiles for service response error code
// "TooManyFieldLevelEncryptionQueryArgProfiles".
//
// The maximum number of query arg profiles for field-level encryption have
// been created.
ErrCodeTooManyFieldLevelEncryptionQueryArgProfiles = "TooManyFieldLevelEncryptionQueryArgProfiles"
// ErrCodeTooManyHeadersInForwardedValues for service response error code // ErrCodeTooManyHeadersInForwardedValues for service response error code
// "TooManyHeadersInForwardedValues". // "TooManyHeadersInForwardedValues".
ErrCodeTooManyHeadersInForwardedValues = "TooManyHeadersInForwardedValues" ErrCodeTooManyHeadersInForwardedValues = "TooManyHeadersInForwardedValues"
@ -308,6 +435,13 @@ const (
// You cannot create more origins for the distribution. // You cannot create more origins for the distribution.
ErrCodeTooManyOrigins = "TooManyOrigins" ErrCodeTooManyOrigins = "TooManyOrigins"
// ErrCodeTooManyPublicKeys for service response error code
// "TooManyPublicKeys".
//
// The maximum number of public keys for field-level encryption have been created.
// To create a new public key, delete one of the existing keys.
ErrCodeTooManyPublicKeys = "TooManyPublicKeys"
// ErrCodeTooManyQueryStringParameters for service response error code // ErrCodeTooManyQueryStringParameters for service response error code
// "TooManyQueryStringParameters". // "TooManyQueryStringParameters".
ErrCodeTooManyQueryStringParameters = "TooManyQueryStringParameters" ErrCodeTooManyQueryStringParameters = "TooManyQueryStringParameters"

View File

@ -58,7 +58,7 @@ func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegio
SigningName: signingName, SigningName: signingName,
SigningRegion: signingRegion, SigningRegion: signingRegion,
Endpoint: endpoint, Endpoint: endpoint,
APIVersion: "2017-03-25", APIVersion: "2017-10-30",
}, },
handlers, handlers,
), ),

View File

@ -15,7 +15,7 @@ const opAddTags = "AddTags"
// AddTagsRequest generates a "aws/request.Request" representing the // AddTagsRequest generates a "aws/request.Request" representing the
// client's request for the AddTags operation. The "output" return // client's request for the AddTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -139,7 +139,7 @@ const opCreateTrail = "CreateTrail"
// CreateTrailRequest generates a "aws/request.Request" representing the // CreateTrailRequest generates a "aws/request.Request" representing the
// client's request for the CreateTrail operation. The "output" return // client's request for the CreateTrail operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -297,7 +297,7 @@ const opDeleteTrail = "DeleteTrail"
// DeleteTrailRequest generates a "aws/request.Request" representing the // DeleteTrailRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTrail operation. The "output" return // client's request for the DeleteTrail operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -398,7 +398,7 @@ const opDescribeTrails = "DescribeTrails"
// DescribeTrailsRequest generates a "aws/request.Request" representing the // DescribeTrailsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTrails operation. The "output" return // client's request for the DescribeTrails operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -481,7 +481,7 @@ const opGetEventSelectors = "GetEventSelectors"
// GetEventSelectorsRequest generates a "aws/request.Request" representing the // GetEventSelectorsRequest generates a "aws/request.Request" representing the
// client's request for the GetEventSelectors operation. The "output" return // client's request for the GetEventSelectors operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -594,7 +594,7 @@ const opGetTrailStatus = "GetTrailStatus"
// GetTrailStatusRequest generates a "aws/request.Request" representing the // GetTrailStatusRequest generates a "aws/request.Request" representing the
// client's request for the GetTrailStatus operation. The "output" return // client's request for the GetTrailStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -693,7 +693,7 @@ const opListPublicKeys = "ListPublicKeys"
// ListPublicKeysRequest generates a "aws/request.Request" representing the // ListPublicKeysRequest generates a "aws/request.Request" representing the
// client's request for the ListPublicKeys operation. The "output" return // client's request for the ListPublicKeys operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -789,7 +789,7 @@ const opListTags = "ListTags"
// ListTagsRequest generates a "aws/request.Request" representing the // ListTagsRequest generates a "aws/request.Request" representing the
// client's request for the ListTags operation. The "output" return // client's request for the ListTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -903,7 +903,7 @@ const opLookupEvents = "LookupEvents"
// LookupEventsRequest generates a "aws/request.Request" representing the // LookupEventsRequest generates a "aws/request.Request" representing the
// client's request for the LookupEvents operation. The "output" return // client's request for the LookupEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1074,7 +1074,7 @@ const opPutEventSelectors = "PutEventSelectors"
// PutEventSelectorsRequest generates a "aws/request.Request" representing the // PutEventSelectorsRequest generates a "aws/request.Request" representing the
// client's request for the PutEventSelectors operation. The "output" return // client's request for the PutEventSelectors operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1218,7 +1218,7 @@ const opRemoveTags = "RemoveTags"
// RemoveTagsRequest generates a "aws/request.Request" representing the // RemoveTagsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTags operation. The "output" return // client's request for the RemoveTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1333,7 +1333,7 @@ const opStartLogging = "StartLogging"
// StartLoggingRequest generates a "aws/request.Request" representing the // StartLoggingRequest generates a "aws/request.Request" representing the
// client's request for the StartLogging operation. The "output" return // client's request for the StartLogging operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1436,7 +1436,7 @@ const opStopLogging = "StopLogging"
// StopLoggingRequest generates a "aws/request.Request" representing the // StopLoggingRequest generates a "aws/request.Request" representing the
// client's request for the StopLogging operation. The "output" return // client's request for the StopLogging operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1541,7 +1541,7 @@ const opUpdateTrail = "UpdateTrail"
// UpdateTrailRequest generates a "aws/request.Request" representing the // UpdateTrailRequest generates a "aws/request.Request" representing the
// client's request for the UpdateTrail operation. The "output" return // client's request for the UpdateTrail operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opDeleteAlarms = "DeleteAlarms"
// DeleteAlarmsRequest generates a "aws/request.Request" representing the // DeleteAlarmsRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAlarms operation. The "output" return // client's request for the DeleteAlarms operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -98,7 +98,7 @@ const opDeleteDashboards = "DeleteDashboards"
// DeleteDashboardsRequest generates a "aws/request.Request" representing the // DeleteDashboardsRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDashboards operation. The "output" return // client's request for the DeleteDashboards operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -184,7 +184,7 @@ const opDescribeAlarmHistory = "DescribeAlarmHistory"
// DescribeAlarmHistoryRequest generates a "aws/request.Request" representing the // DescribeAlarmHistoryRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAlarmHistory operation. The "output" return // client's request for the DescribeAlarmHistory operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -323,7 +323,7 @@ const opDescribeAlarms = "DescribeAlarms"
// DescribeAlarmsRequest generates a "aws/request.Request" representing the // DescribeAlarmsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAlarms operation. The "output" return // client's request for the DescribeAlarms operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -460,7 +460,7 @@ const opDescribeAlarmsForMetric = "DescribeAlarmsForMetric"
// DescribeAlarmsForMetricRequest generates a "aws/request.Request" representing the // DescribeAlarmsForMetricRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAlarmsForMetric operation. The "output" return // client's request for the DescribeAlarmsForMetric operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -535,7 +535,7 @@ const opDisableAlarmActions = "DisableAlarmActions"
// DisableAlarmActionsRequest generates a "aws/request.Request" representing the // DisableAlarmActionsRequest generates a "aws/request.Request" representing the
// client's request for the DisableAlarmActions operation. The "output" return // client's request for the DisableAlarmActions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -612,7 +612,7 @@ const opEnableAlarmActions = "EnableAlarmActions"
// EnableAlarmActionsRequest generates a "aws/request.Request" representing the // EnableAlarmActionsRequest generates a "aws/request.Request" representing the
// client's request for the EnableAlarmActions operation. The "output" return // client's request for the EnableAlarmActions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -688,7 +688,7 @@ const opGetDashboard = "GetDashboard"
// GetDashboardRequest generates a "aws/request.Request" representing the // GetDashboardRequest generates a "aws/request.Request" representing the
// client's request for the GetDashboard operation. The "output" return // client's request for the GetDashboard operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -773,11 +773,101 @@ func (c *CloudWatch) GetDashboardWithContext(ctx aws.Context, input *GetDashboar
return out, req.Send() return out, req.Send()
} }
const opGetMetricData = "GetMetricData"
// GetMetricDataRequest generates a "aws/request.Request" representing the
// client's request for the GetMetricData operation. The "output" return
// value will be populated with the request's response once the request completes
// successfuly.
//
// Use "Send" method on the returned Request to send the API call to the service.
// the "output" return value is not valid until after Send returns without error.
//
// See GetMetricData for more information on using the GetMetricData
// API call, and error handling.
//
// This method is useful when you want to inject custom logic or configuration
// into the SDK's request lifecycle. Such as custom headers, or retry logic.
//
//
// // Example sending a request using the GetMetricDataRequest method.
// req, resp := client.GetMetricDataRequest(params)
//
// err := req.Send()
// if err == nil { // resp is now filled
// fmt.Println(resp)
// }
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/monitoring-2010-08-01/GetMetricData
func (c *CloudWatch) GetMetricDataRequest(input *GetMetricDataInput) (req *request.Request, output *GetMetricDataOutput) {
op := &request.Operation{
Name: opGetMetricData,
HTTPMethod: "POST",
HTTPPath: "/",
}
if input == nil {
input = &GetMetricDataInput{}
}
output = &GetMetricDataOutput{}
req = c.newRequest(op, input, output)
return
}
// GetMetricData API operation for Amazon CloudWatch.
//
// You can use the GetMetricData API to retrieve as many as 100 different metrics
// in a single request, with a total of as many as 100,800 datapoints. You can
// also optionally perform math expressions on the values of the returned statistics,
// to create new time series that represent new insights into your data. For
// example, using Lambda metrics, you could divide the Errors metric by the
// Invocations metric to get an error rate time series. For more information
// about metric math expressions, see Metric Math Syntax and Functions (http://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/using-metric-math.html#metric-math-syntax)
// in the Amazon CloudWatch User Guide.
//
// Calls to the GetMetricData API have a different pricing structure than calls
// to GetMetricStatistics. For more information about pricing, see Amazon CloudWatch
// Pricing (https://aws.amazon.com/cloudwatch/pricing/).
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about
// the error.
//
// See the AWS API reference guide for Amazon CloudWatch's
// API operation GetMetricData for usage and error information.
//
// Returned Error Codes:
// * ErrCodeInvalidNextToken "InvalidNextToken"
// The next token specified is invalid.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/monitoring-2010-08-01/GetMetricData
func (c *CloudWatch) GetMetricData(input *GetMetricDataInput) (*GetMetricDataOutput, error) {
req, out := c.GetMetricDataRequest(input)
return out, req.Send()
}
// GetMetricDataWithContext is the same as GetMetricData with the addition of
// the ability to pass a context and additional request options.
//
// See GetMetricData for details on how to use this API operation.
//
// The context must be non-nil and will be used for request cancellation. If
// the context is nil a panic will occur. In the future the SDK may create
// sub-contexts for http.Requests. See https://golang.org/pkg/context/
// for more information on using Contexts.
func (c *CloudWatch) GetMetricDataWithContext(ctx aws.Context, input *GetMetricDataInput, opts ...request.Option) (*GetMetricDataOutput, error) {
req, out := c.GetMetricDataRequest(input)
req.SetContext(ctx)
req.ApplyOptions(opts...)
return out, req.Send()
}
const opGetMetricStatistics = "GetMetricStatistics" const opGetMetricStatistics = "GetMetricStatistics"
// GetMetricStatisticsRequest generates a "aws/request.Request" representing the // GetMetricStatisticsRequest generates a "aws/request.Request" representing the
// client's request for the GetMetricStatistics operation. The "output" return // client's request for the GetMetricStatistics operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -915,7 +1005,7 @@ const opListDashboards = "ListDashboards"
// ListDashboardsRequest generates a "aws/request.Request" representing the // ListDashboardsRequest generates a "aws/request.Request" representing the
// client's request for the ListDashboards operation. The "output" return // client's request for the ListDashboards operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -999,7 +1089,7 @@ const opListMetrics = "ListMetrics"
// ListMetricsRequest generates a "aws/request.Request" representing the // ListMetricsRequest generates a "aws/request.Request" representing the
// client's request for the ListMetrics operation. The "output" return // client's request for the ListMetrics operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1145,7 +1235,7 @@ const opPutDashboard = "PutDashboard"
// PutDashboardRequest generates a "aws/request.Request" representing the // PutDashboardRequest generates a "aws/request.Request" representing the
// client's request for the PutDashboard operation. The "output" return // client's request for the PutDashboard operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1245,7 +1335,7 @@ const opPutMetricAlarm = "PutMetricAlarm"
// PutMetricAlarmRequest generates a "aws/request.Request" representing the // PutMetricAlarmRequest generates a "aws/request.Request" representing the
// client's request for the PutMetricAlarm operation. The "output" return // client's request for the PutMetricAlarm operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1367,7 +1457,7 @@ const opPutMetricData = "PutMetricData"
// PutMetricDataRequest generates a "aws/request.Request" representing the // PutMetricDataRequest generates a "aws/request.Request" representing the
// client's request for the PutMetricData operation. The "output" return // client's request for the PutMetricData operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1485,7 +1575,7 @@ const opSetAlarmState = "SetAlarmState"
// SetAlarmStateRequest generates a "aws/request.Request" representing the // SetAlarmStateRequest generates a "aws/request.Request" representing the
// client's request for the SetAlarmState operation. The "output" return // client's request for the SetAlarmState operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2588,6 +2678,150 @@ func (s *GetDashboardOutput) SetDashboardName(v string) *GetDashboardOutput {
return s return s
} }
type GetMetricDataInput struct {
_ struct{} `type:"structure"`
// The time stamp indicating the latest data to be returned.
//
// EndTime is a required field
EndTime *time.Time `type:"timestamp" timestampFormat:"iso8601" required:"true"`
// The maximum number of data points the request should return before paginating.
// If you omit this, the default of 100,800 is used.
MaxDatapoints *int64 `type:"integer"`
// The metric queries to be returned. A single GetMetricData call can include
// as many as 100 MetricDataQuery structures. Each of these structures can specify
// either a metric to retrieve, or a math expression to perform on retrieved
// data.
//
// MetricDataQueries is a required field
MetricDataQueries []*MetricDataQuery `type:"list" required:"true"`
// Include this value, if it was returned by the previous call, to get the next
// set of data points.
NextToken *string `type:"string"`
// The order in which data points should be returned. TimestampDescending returns
// the newest data first and paginates when the MaxDatapoints limit is reached.
// TimestampAscending returns the oldest data first and paginates when the MaxDatapoints
// limit is reached.
ScanBy *string `type:"string" enum:"ScanBy"`
// The time stamp indicating the earliest data to be returned.
//
// StartTime is a required field
StartTime *time.Time `type:"timestamp" timestampFormat:"iso8601" required:"true"`
}
// String returns the string representation
func (s GetMetricDataInput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s GetMetricDataInput) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *GetMetricDataInput) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "GetMetricDataInput"}
if s.EndTime == nil {
invalidParams.Add(request.NewErrParamRequired("EndTime"))
}
if s.MetricDataQueries == nil {
invalidParams.Add(request.NewErrParamRequired("MetricDataQueries"))
}
if s.StartTime == nil {
invalidParams.Add(request.NewErrParamRequired("StartTime"))
}
if s.MetricDataQueries != nil {
for i, v := range s.MetricDataQueries {
if v == nil {
continue
}
if err := v.Validate(); err != nil {
invalidParams.AddNested(fmt.Sprintf("%s[%v]", "MetricDataQueries", i), err.(request.ErrInvalidParams))
}
}
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetEndTime sets the EndTime field's value.
func (s *GetMetricDataInput) SetEndTime(v time.Time) *GetMetricDataInput {
s.EndTime = &v
return s
}
// SetMaxDatapoints sets the MaxDatapoints field's value.
func (s *GetMetricDataInput) SetMaxDatapoints(v int64) *GetMetricDataInput {
s.MaxDatapoints = &v
return s
}
// SetMetricDataQueries sets the MetricDataQueries field's value.
func (s *GetMetricDataInput) SetMetricDataQueries(v []*MetricDataQuery) *GetMetricDataInput {
s.MetricDataQueries = v
return s
}
// SetNextToken sets the NextToken field's value.
func (s *GetMetricDataInput) SetNextToken(v string) *GetMetricDataInput {
s.NextToken = &v
return s
}
// SetScanBy sets the ScanBy field's value.
func (s *GetMetricDataInput) SetScanBy(v string) *GetMetricDataInput {
s.ScanBy = &v
return s
}
// SetStartTime sets the StartTime field's value.
func (s *GetMetricDataInput) SetStartTime(v time.Time) *GetMetricDataInput {
s.StartTime = &v
return s
}
type GetMetricDataOutput struct {
_ struct{} `type:"structure"`
// The metrics that are returned, including the metric name, namespace, and
// dimensions.
MetricDataResults []*MetricDataResult `type:"list"`
// A token that marks the next batch of returned results.
NextToken *string `type:"string"`
}
// String returns the string representation
func (s GetMetricDataOutput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s GetMetricDataOutput) GoString() string {
return s.String()
}
// SetMetricDataResults sets the MetricDataResults field's value.
func (s *GetMetricDataOutput) SetMetricDataResults(v []*MetricDataResult) *GetMetricDataOutput {
s.MetricDataResults = v
return s
}
// SetNextToken sets the NextToken field's value.
func (s *GetMetricDataOutput) SetNextToken(v string) *GetMetricDataOutput {
s.NextToken = &v
return s
}
type GetMetricStatisticsInput struct { type GetMetricStatisticsInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -2682,8 +2916,8 @@ type GetMetricStatisticsInput struct {
Statistics []*string `min:"1" type:"list"` Statistics []*string `min:"1" type:"list"`
// The unit for a given metric. Metrics may be reported in multiple units. Not // The unit for a given metric. Metrics may be reported in multiple units. Not
// supplying a unit results in all units being returned. If the metric only // supplying a unit results in all units being returned. If you specify only
// ever reports one unit, specifying a unit has no effect. // a unit that the metric does not report, the results of the call are null.
Unit *string `type:"string" enum:"StandardUnit"` Unit *string `type:"string" enum:"StandardUnit"`
} }
@ -3009,6 +3243,39 @@ func (s *ListMetricsOutput) SetNextToken(v string) *ListMetricsOutput {
return s return s
} }
// A message returned by the GetMetricDataAPI, including a code and a description.
type MessageData struct {
_ struct{} `type:"structure"`
// The error code or status code associated with the message.
Code *string `type:"string"`
// The message text.
Value *string `type:"string"`
}
// String returns the string representation
func (s MessageData) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s MessageData) GoString() string {
return s.String()
}
// SetCode sets the Code field's value.
func (s *MessageData) SetCode(v string) *MessageData {
s.Code = &v
return s
}
// SetValue sets the Value field's value.
func (s *MessageData) SetValue(v string) *MessageData {
s.Value = &v
return s
}
// Represents a specific metric. // Represents a specific metric.
type Metric struct { type Metric struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -3033,6 +3300,32 @@ func (s Metric) GoString() string {
return s.String() return s.String()
} }
// Validate inspects the fields of the type to determine if they are valid.
func (s *Metric) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "Metric"}
if s.MetricName != nil && len(*s.MetricName) < 1 {
invalidParams.Add(request.NewErrParamMinLen("MetricName", 1))
}
if s.Namespace != nil && len(*s.Namespace) < 1 {
invalidParams.Add(request.NewErrParamMinLen("Namespace", 1))
}
if s.Dimensions != nil {
for i, v := range s.Dimensions {
if v == nil {
continue
}
if err := v.Validate(); err != nil {
invalidParams.AddNested(fmt.Sprintf("%s[%v]", "Dimensions", i), err.(request.ErrInvalidParams))
}
}
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetDimensions sets the Dimensions field's value. // SetDimensions sets the Dimensions field's value.
func (s *Metric) SetDimensions(v []*Dimension) *Metric { func (s *Metric) SetDimensions(v []*Dimension) *Metric {
s.Dimensions = v s.Dimensions = v
@ -3303,6 +3596,197 @@ func (s *MetricAlarm) SetUnit(v string) *MetricAlarm {
return s return s
} }
// This structure indicates the metric data to return, and whether this call
// is just retrieving a batch set of data for one metric, or is performing a
// math expression on metric data. A single GetMetricData call can include up
// to 100 MetricDataQuery structures.
type MetricDataQuery struct {
_ struct{} `type:"structure"`
// The math expression to be performed on the returned data, if this structure
// is performing a math expression. For more information about metric math expressions,
// see Metric Math Syntax and Functions (http://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/using-metric-math.html#metric-math-syntax)
// in the Amazon CloudWatch User Guide.
//
// Within one MetricDataQuery structure, you must specify either Expression
// or MetricStat but not both.
Expression *string `min:"1" type:"string"`
// A short name used to tie this structure to the results in the response. This
// name must be unique within a single call to GetMetricData. If you are performing
// math expressions on this set of data, this name represents that data and
// can serve as a variable in the mathematical expression. The valid characters
// are letters, numbers, and underscore. The first character must be a lowercase
// letter.
//
// Id is a required field
Id *string `min:"1" type:"string" required:"true"`
// A human-readable label for this metric or expression. This is especially
// useful if this is an expression, so that you know what the value represents.
// If the metric or expression is shown in a CloudWatch dashboard widget, the
// label is shown. If Label is omitted, CloudWatch generates a default.
Label *string `type:"string"`
// The metric to be returned, along with statistics, period, and units. Use
// this parameter only if this structure is performing a data retrieval and
// not performing a math expression on the returned data.
//
// Within one MetricDataQuery structure, you must specify either Expression
// or MetricStat but not both.
MetricStat *MetricStat `type:"structure"`
// Indicates whether to return the time stamps and raw data values of this metric.
// If you are performing this call just to do math expressions and do not also
// need the raw data returned, you can specify False. If you omit this, the
// default of True is used.
ReturnData *bool `type:"boolean"`
}
// String returns the string representation
func (s MetricDataQuery) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s MetricDataQuery) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *MetricDataQuery) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "MetricDataQuery"}
if s.Expression != nil && len(*s.Expression) < 1 {
invalidParams.Add(request.NewErrParamMinLen("Expression", 1))
}
if s.Id == nil {
invalidParams.Add(request.NewErrParamRequired("Id"))
}
if s.Id != nil && len(*s.Id) < 1 {
invalidParams.Add(request.NewErrParamMinLen("Id", 1))
}
if s.MetricStat != nil {
if err := s.MetricStat.Validate(); err != nil {
invalidParams.AddNested("MetricStat", err.(request.ErrInvalidParams))
}
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetExpression sets the Expression field's value.
func (s *MetricDataQuery) SetExpression(v string) *MetricDataQuery {
s.Expression = &v
return s
}
// SetId sets the Id field's value.
func (s *MetricDataQuery) SetId(v string) *MetricDataQuery {
s.Id = &v
return s
}
// SetLabel sets the Label field's value.
func (s *MetricDataQuery) SetLabel(v string) *MetricDataQuery {
s.Label = &v
return s
}
// SetMetricStat sets the MetricStat field's value.
func (s *MetricDataQuery) SetMetricStat(v *MetricStat) *MetricDataQuery {
s.MetricStat = v
return s
}
// SetReturnData sets the ReturnData field's value.
func (s *MetricDataQuery) SetReturnData(v bool) *MetricDataQuery {
s.ReturnData = &v
return s
}
// A GetMetricData call returns an array of MetricDataResult structures. Each
// of these structures includes the data points for that metric, along with
// the time stamps of those data points and other identifying information.
type MetricDataResult struct {
_ struct{} `type:"structure"`
// The short name you specified to represent this metric.
Id *string `min:"1" type:"string"`
// The human-readable label associated with the data.
Label *string `type:"string"`
// A list of messages with additional information about the data returned.
Messages []*MessageData `type:"list"`
// The status of the returned data. Complete indicates that all data points
// in the requested time range were returned. PartialData means that an incomplete
// set of data points were returned. You can use the NextToken value that was
// returned and repeat your request to get more data points. NextToken is not
// returned if you are performing a math expression. InternalError indicates
// that an error occurred. Retry your request using NextToken, if present.
StatusCode *string `type:"string" enum:"StatusCode"`
// The time stamps for the data points, formatted in Unix timestamp format.
// The number of time stamps always matches the number of values and the value
// for Timestamps[x] is Values[x].
Timestamps []*time.Time `type:"list"`
// The data points for the metric corresponding to Timestamps. The number of
// values always matches the number of time stamps and the time stamp for Values[x]
// is Timestamps[x].
Values []*float64 `type:"list"`
}
// String returns the string representation
func (s MetricDataResult) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s MetricDataResult) GoString() string {
return s.String()
}
// SetId sets the Id field's value.
func (s *MetricDataResult) SetId(v string) *MetricDataResult {
s.Id = &v
return s
}
// SetLabel sets the Label field's value.
func (s *MetricDataResult) SetLabel(v string) *MetricDataResult {
s.Label = &v
return s
}
// SetMessages sets the Messages field's value.
func (s *MetricDataResult) SetMessages(v []*MessageData) *MetricDataResult {
s.Messages = v
return s
}
// SetStatusCode sets the StatusCode field's value.
func (s *MetricDataResult) SetStatusCode(v string) *MetricDataResult {
s.StatusCode = &v
return s
}
// SetTimestamps sets the Timestamps field's value.
func (s *MetricDataResult) SetTimestamps(v []*time.Time) *MetricDataResult {
s.Timestamps = v
return s
}
// SetValues sets the Values field's value.
func (s *MetricDataResult) SetValues(v []*float64) *MetricDataResult {
s.Values = v
return s
}
// Encapsulates the information sent to either create a metric or add new values // Encapsulates the information sent to either create a metric or add new values
// to be aggregated into an existing metric. // to be aggregated into an existing metric.
type MetricDatum struct { type MetricDatum struct {
@ -3433,6 +3917,92 @@ func (s *MetricDatum) SetValue(v float64) *MetricDatum {
return s return s
} }
// This structure defines the metric to be returned, along with the statistics,
// period, and units.
type MetricStat struct {
_ struct{} `type:"structure"`
// The metric to return, including the metric name, namespace, and dimensions.
//
// Metric is a required field
Metric *Metric `type:"structure" required:"true"`
// The period to use when retrieving the metric.
//
// Period is a required field
Period *int64 `min:"1" type:"integer" required:"true"`
// The statistic to return. It can include any CloudWatch statistic or extended
// statistic.
//
// Stat is a required field
Stat *string `type:"string" required:"true"`
// The unit to use for the returned data points.
Unit *string `type:"string" enum:"StandardUnit"`
}
// String returns the string representation
func (s MetricStat) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s MetricStat) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *MetricStat) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "MetricStat"}
if s.Metric == nil {
invalidParams.Add(request.NewErrParamRequired("Metric"))
}
if s.Period == nil {
invalidParams.Add(request.NewErrParamRequired("Period"))
}
if s.Period != nil && *s.Period < 1 {
invalidParams.Add(request.NewErrParamMinValue("Period", 1))
}
if s.Stat == nil {
invalidParams.Add(request.NewErrParamRequired("Stat"))
}
if s.Metric != nil {
if err := s.Metric.Validate(); err != nil {
invalidParams.AddNested("Metric", err.(request.ErrInvalidParams))
}
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetMetric sets the Metric field's value.
func (s *MetricStat) SetMetric(v *Metric) *MetricStat {
s.Metric = v
return s
}
// SetPeriod sets the Period field's value.
func (s *MetricStat) SetPeriod(v int64) *MetricStat {
s.Period = &v
return s
}
// SetStat sets the Stat field's value.
func (s *MetricStat) SetStat(v string) *MetricStat {
s.Stat = &v
return s
}
// SetUnit sets the Unit field's value.
func (s *MetricStat) SetUnit(v string) *MetricStat {
s.Unit = &v
return s
}
type PutDashboardInput struct { type PutDashboardInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -3556,7 +4126,10 @@ type PutMetricAlarmInput struct {
// ComparisonOperator is a required field // ComparisonOperator is a required field
ComparisonOperator *string `type:"string" required:"true" enum:"ComparisonOperator"` ComparisonOperator *string `type:"string" required:"true" enum:"ComparisonOperator"`
// The number of datapoints that must be breaching to trigger the alarm. // The number of datapoints that must be breaching to trigger the alarm. This
// is used only if you are setting an "M out of N" alarm. In that case, this
// value is the M. For more information, see Evaluating an Alarm (http://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/AlarmThatSendsEmail.html#alarm-evaluation)
// in the Amazon CloudWatch User Guide.
DatapointsToAlarm *int64 `min:"1" type:"integer"` DatapointsToAlarm *int64 `min:"1" type:"integer"`
// The dimensions for the metric associated with the alarm. // The dimensions for the metric associated with the alarm.
@ -3573,6 +4146,10 @@ type PutMetricAlarmInput struct {
EvaluateLowSampleCountPercentile *string `min:"1" type:"string"` EvaluateLowSampleCountPercentile *string `min:"1" type:"string"`
// The number of periods over which data is compared to the specified threshold. // The number of periods over which data is compared to the specified threshold.
// If you are setting an alarm which requires that a number of consecutive data
// points be breaching to trigger the alarm, this value specifies that number.
// If you are setting an "M out of N" alarm, this value is the N.
//
// An alarm's total current evaluation period can be no longer than one day, // An alarm's total current evaluation period can be no longer than one day,
// so this number multiplied by Period cannot be more than 86,400 seconds. // so this number multiplied by Period cannot be more than 86,400 seconds.
// //
@ -3623,7 +4200,7 @@ type PutMetricAlarmInput struct {
// values are 10, 30, and any multiple of 60. // values are 10, 30, and any multiple of 60.
// //
// Be sure to specify 10 or 30 only for metrics that are stored by a PutMetricData // Be sure to specify 10 or 30 only for metrics that are stored by a PutMetricData
// call with a StorageResolution of 1. If you specify a Period of 10 or 30 for // call with a StorageResolution of 1. If you specify a period of 10 or 30 for
// a metric that does not have sub-minute resolution, the alarm still attempts // a metric that does not have sub-minute resolution, the alarm still attempts
// to gather data at the period rate that you specify. In this case, it does // to gather data at the period rate that you specify. In this case, it does
// not receive data for the attempts that do not correspond to a one-minute // not receive data for the attempts that do not correspond to a one-minute
@ -4151,6 +4728,14 @@ const (
HistoryItemTypeAction = "Action" HistoryItemTypeAction = "Action"
) )
const (
// ScanByTimestampDescending is a ScanBy enum value
ScanByTimestampDescending = "TimestampDescending"
// ScanByTimestampAscending is a ScanBy enum value
ScanByTimestampAscending = "TimestampAscending"
)
const ( const (
// StandardUnitSeconds is a StandardUnit enum value // StandardUnitSeconds is a StandardUnit enum value
StandardUnitSeconds = "Seconds" StandardUnitSeconds = "Seconds"
@ -4261,3 +4846,14 @@ const (
// StatisticMaximum is a Statistic enum value // StatisticMaximum is a Statistic enum value
StatisticMaximum = "Maximum" StatisticMaximum = "Maximum"
) )
const (
// StatusCodeComplete is a StatusCode enum value
StatusCodeComplete = "Complete"
// StatusCodeInternalError is a StatusCode enum value
StatusCodeInternalError = "InternalError"
// StatusCodePartialData is a StatusCode enum value
StatusCodePartialData = "PartialData"
)

View File

@ -17,7 +17,7 @@ const opDeleteRule = "DeleteRule"
// DeleteRuleRequest generates a "aws/request.Request" representing the // DeleteRuleRequest generates a "aws/request.Request" representing the
// client's request for the DeleteRule operation. The "output" return // client's request for the DeleteRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -107,7 +107,7 @@ const opDescribeEventBus = "DescribeEventBus"
// DescribeEventBusRequest generates a "aws/request.Request" representing the // DescribeEventBusRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEventBus operation. The "output" return // client's request for the DescribeEventBus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -191,7 +191,7 @@ const opDescribeRule = "DescribeRule"
// DescribeRuleRequest generates a "aws/request.Request" representing the // DescribeRuleRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRule operation. The "output" return // client's request for the DescribeRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -273,7 +273,7 @@ const opDisableRule = "DisableRule"
// DisableRuleRequest generates a "aws/request.Request" representing the // DisableRuleRequest generates a "aws/request.Request" representing the
// client's request for the DisableRule operation. The "output" return // client's request for the DisableRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -364,7 +364,7 @@ const opEnableRule = "EnableRule"
// EnableRuleRequest generates a "aws/request.Request" representing the // EnableRuleRequest generates a "aws/request.Request" representing the
// client's request for the EnableRule operation. The "output" return // client's request for the EnableRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -455,7 +455,7 @@ const opListRuleNamesByTarget = "ListRuleNamesByTarget"
// ListRuleNamesByTargetRequest generates a "aws/request.Request" representing the // ListRuleNamesByTargetRequest generates a "aws/request.Request" representing the
// client's request for the ListRuleNamesByTarget operation. The "output" return // client's request for the ListRuleNamesByTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -535,7 +535,7 @@ const opListRules = "ListRules"
// ListRulesRequest generates a "aws/request.Request" representing the // ListRulesRequest generates a "aws/request.Request" representing the
// client's request for the ListRules operation. The "output" return // client's request for the ListRules operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -615,7 +615,7 @@ const opListTargetsByRule = "ListTargetsByRule"
// ListTargetsByRuleRequest generates a "aws/request.Request" representing the // ListTargetsByRuleRequest generates a "aws/request.Request" representing the
// client's request for the ListTargetsByRule operation. The "output" return // client's request for the ListTargetsByRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -697,7 +697,7 @@ const opPutEvents = "PutEvents"
// PutEventsRequest generates a "aws/request.Request" representing the // PutEventsRequest generates a "aws/request.Request" representing the
// client's request for the PutEvents operation. The "output" return // client's request for the PutEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -777,7 +777,7 @@ const opPutPermission = "PutPermission"
// PutPermissionRequest generates a "aws/request.Request" representing the // PutPermissionRequest generates a "aws/request.Request" representing the
// client's request for the PutPermission operation. The "output" return // client's request for the PutPermission operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -878,7 +878,7 @@ const opPutRule = "PutRule"
// PutRuleRequest generates a "aws/request.Request" representing the // PutRuleRequest generates a "aws/request.Request" representing the
// client's request for the PutRule operation. The "output" return // client's request for the PutRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -921,6 +921,11 @@ func (c *CloudWatchEvents) PutRuleRequest(input *PutRuleInput) (req *request.Req
// Creates or updates the specified rule. Rules are enabled by default, or based // Creates or updates the specified rule. Rules are enabled by default, or based
// on value of the state. You can disable a rule using DisableRule. // on value of the state. You can disable a rule using DisableRule.
// //
// If you are updating an existing rule, the rule is completely replaced with
// what you specify in this PutRule command. If you omit arguments in PutRule,
// the old values for those arguments are not kept. Instead, they are replaced
// with null values.
//
// When you create or update a rule, incoming events might not immediately start // When you create or update a rule, incoming events might not immediately start
// matching to new or updated rules. Please allow a short period of time for // matching to new or updated rules. Please allow a short period of time for
// changes to take effect. // changes to take effect.
@ -982,7 +987,7 @@ const opPutTargets = "PutTargets"
// PutTargetsRequest generates a "aws/request.Request" representing the // PutTargetsRequest generates a "aws/request.Request" representing the
// client's request for the PutTargets operation. The "output" return // client's request for the PutTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1041,13 +1046,15 @@ func (c *CloudWatchEvents) PutTargetsRequest(input *PutTargetsInput) (req *reque
// //
// * AWS Step Functions state machines // * AWS Step Functions state machines
// //
// * AWS Batch jobs
//
// * Pipelines in Amazon Code Pipeline // * Pipelines in Amazon Code Pipeline
// //
// * Amazon Inspector assessment templates // * Amazon Inspector assessment templates
// //
// * Amazon SNS topics // * Amazon SNS topics
// //
// * Amazon SQS queues // * Amazon SQS queues, including FIFO queues
// //
// * The default event bus of another AWS account // * The default event bus of another AWS account
// //
@ -1099,8 +1106,8 @@ func (c *CloudWatchEvents) PutTargetsRequest(input *PutTargetsInput) (req *reque
// are extracted from the event and used as values in a template that you // are extracted from the event and used as values in a template that you
// specify as the input to the target. // specify as the input to the target.
// //
// When you specify Input, InputPath, or InputTransformer, you must use JSON // When you specify InputPath or InputTransformer, you must use JSON dot notation,
// dot notation, not bracket notation. // not bracket notation.
// //
// When you add targets to a rule and the associated rule triggers soon after, // When you add targets to a rule and the associated rule triggers soon after,
// new or updated targets might not be immediately invoked. Please allow a short // new or updated targets might not be immediately invoked. Please allow a short
@ -1157,7 +1164,7 @@ const opRemovePermission = "RemovePermission"
// RemovePermissionRequest generates a "aws/request.Request" representing the // RemovePermissionRequest generates a "aws/request.Request" representing the
// client's request for the RemovePermission operation. The "output" return // client's request for the RemovePermission operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1247,7 +1254,7 @@ const opRemoveTargets = "RemoveTargets"
// RemoveTargetsRequest generates a "aws/request.Request" representing the // RemoveTargetsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTargets operation. The "output" return // client's request for the RemoveTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1342,7 +1349,7 @@ const opTestEventPattern = "TestEventPattern"
// TestEventPatternRequest generates a "aws/request.Request" representing the // TestEventPatternRequest generates a "aws/request.Request" representing the
// client's request for the TestEventPattern operation. The "output" return // client's request for the TestEventPattern operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1425,6 +1432,140 @@ func (c *CloudWatchEvents) TestEventPatternWithContext(ctx aws.Context, input *T
return out, req.Send() return out, req.Send()
} }
// The array properties for the submitted job, such as the size of the array.
// The array size can be between 2 and 10,000. If you specify array properties
// for a job, it becomes an array job. This parameter is used only if the target
// is an AWS Batch job.
type BatchArrayProperties struct {
_ struct{} `type:"structure"`
// The size of the array, if this is an array batch job. Valid values are integers
// between 2 and 10,000.
Size *int64 `type:"integer"`
}
// String returns the string representation
func (s BatchArrayProperties) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s BatchArrayProperties) GoString() string {
return s.String()
}
// SetSize sets the Size field's value.
func (s *BatchArrayProperties) SetSize(v int64) *BatchArrayProperties {
s.Size = &v
return s
}
// The custom parameters to be used when the target is an AWS Batch job.
type BatchParameters struct {
_ struct{} `type:"structure"`
// The array properties for the submitted job, such as the size of the array.
// The array size can be between 2 and 10,000. If you specify array properties
// for a job, it becomes an array job. This parameter is used only if the target
// is an AWS Batch job.
ArrayProperties *BatchArrayProperties `type:"structure"`
// The ARN or name of the job definition to use if the event target is an AWS
// Batch job. This job definition must already exist.
//
// JobDefinition is a required field
JobDefinition *string `type:"string" required:"true"`
// The name to use for this execution of the job, if the target is an AWS Batch
// job.
//
// JobName is a required field
JobName *string `type:"string" required:"true"`
// The retry strategy to use for failed jobs, if the target is an AWS Batch
// job. The retry strategy is the number of times to retry the failed job execution.
// Valid values are 1 to 10. When you specify a retry strategy here, it overrides
// the retry strategy defined in the job definition.
RetryStrategy *BatchRetryStrategy `type:"structure"`
}
// String returns the string representation
func (s BatchParameters) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s BatchParameters) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *BatchParameters) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "BatchParameters"}
if s.JobDefinition == nil {
invalidParams.Add(request.NewErrParamRequired("JobDefinition"))
}
if s.JobName == nil {
invalidParams.Add(request.NewErrParamRequired("JobName"))
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetArrayProperties sets the ArrayProperties field's value.
func (s *BatchParameters) SetArrayProperties(v *BatchArrayProperties) *BatchParameters {
s.ArrayProperties = v
return s
}
// SetJobDefinition sets the JobDefinition field's value.
func (s *BatchParameters) SetJobDefinition(v string) *BatchParameters {
s.JobDefinition = &v
return s
}
// SetJobName sets the JobName field's value.
func (s *BatchParameters) SetJobName(v string) *BatchParameters {
s.JobName = &v
return s
}
// SetRetryStrategy sets the RetryStrategy field's value.
func (s *BatchParameters) SetRetryStrategy(v *BatchRetryStrategy) *BatchParameters {
s.RetryStrategy = v
return s
}
// The retry strategy to use for failed jobs, if the target is an AWS Batch
// job. If you specify a retry strategy here, it overrides the retry strategy
// defined in the job definition.
type BatchRetryStrategy struct {
_ struct{} `type:"structure"`
// The number of times to attempt to retry, if the job fails. Valid values are
// 1 to 10.
Attempts *int64 `type:"integer"`
}
// String returns the string representation
func (s BatchRetryStrategy) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s BatchRetryStrategy) GoString() string {
return s.String()
}
// SetAttempts sets the Attempts field's value.
func (s *BatchRetryStrategy) SetAttempts(v int64) *BatchRetryStrategy {
s.Attempts = &v
return s
}
type DeleteRuleInput struct { type DeleteRuleInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -2290,8 +2431,8 @@ func (s *PutEventsOutput) SetFailedEntryCount(v int64) *PutEventsOutput {
type PutEventsRequestEntry struct { type PutEventsRequestEntry struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// In the JSON sense, an object containing fields, which may also contain nested // A valid JSON string. There is no other schema imposed. The JSON string may
// subobjects. No constraints are imposed on its contents. // contain fields and nested subobjects.
Detail *string `type:"string"` Detail *string `type:"string"`
// Free-form string used to decide what fields to expect in the event detail. // Free-form string used to decide what fields to expect in the event detail.
@ -3134,6 +3275,31 @@ func (s *RunCommandTarget) SetValues(v []*string) *RunCommandTarget {
return s return s
} }
// This structure includes the custom parameter to be used when the target is
// an SQS FIFO queue.
type SqsParameters struct {
_ struct{} `type:"structure"`
// The FIFO message group ID to use as the target.
MessageGroupId *string `type:"string"`
}
// String returns the string representation
func (s SqsParameters) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s SqsParameters) GoString() string {
return s.String()
}
// SetMessageGroupId sets the MessageGroupId field's value.
func (s *SqsParameters) SetMessageGroupId(v string) *SqsParameters {
s.MessageGroupId = &v
return s
}
// Targets are the resources to be invoked when a rule is triggered. Target // Targets are the resources to be invoked when a rule is triggered. Target
// types include EC2 instances, AWS Lambda functions, Amazon Kinesis streams, // types include EC2 instances, AWS Lambda functions, Amazon Kinesis streams,
// Amazon ECS tasks, AWS Step Functions state machines, Run Command, and built-in // Amazon ECS tasks, AWS Step Functions state machines, Run Command, and built-in
@ -3146,6 +3312,12 @@ type Target struct {
// Arn is a required field // Arn is a required field
Arn *string `min:"1" type:"string" required:"true"` Arn *string `min:"1" type:"string" required:"true"`
// Contains the job definition, job name, and other parameters if the event
// target is an AWS Batch job. For more information about AWS Batch, see Jobs
// (http://docs.aws.amazon.com/batch/latest/userguide/jobs.html) in the AWS
// Batch User Guide.
BatchParameters *BatchParameters `type:"structure"`
// Contains the Amazon ECS task definition and task count to be used, if the // Contains the Amazon ECS task definition and task count to be used, if the
// event target is an Amazon ECS task. For more information about Amazon ECS // event target is an Amazon ECS task. For more information about Amazon ECS
// tasks, see Task Definitions (http://docs.aws.amazon.com/AmazonECS/latest/developerguide/task_defintions.html) // tasks, see Task Definitions (http://docs.aws.amazon.com/AmazonECS/latest/developerguide/task_defintions.html)
@ -3158,9 +3330,8 @@ type Target struct {
Id *string `min:"1" type:"string" required:"true"` Id *string `min:"1" type:"string" required:"true"`
// Valid JSON text passed to the target. In this case, nothing from the event // Valid JSON text passed to the target. In this case, nothing from the event
// itself is passed to the target. You must use JSON dot notation, not bracket // itself is passed to the target. For more information, see The JavaScript
// notation. For more information, see The JavaScript Object Notation (JSON) // Object Notation (JSON) Data Interchange Format (http://www.rfc-editor.org/rfc/rfc7159.txt).
// Data Interchange Format (http://www.rfc-editor.org/rfc/rfc7159.txt).
Input *string `type:"string"` Input *string `type:"string"`
// The value of the JSONPath that is used for extracting part of the matched // The value of the JSONPath that is used for extracting part of the matched
@ -3185,6 +3356,9 @@ type Target struct {
// Parameters used when you are using the rule to invoke Amazon EC2 Run Command. // Parameters used when you are using the rule to invoke Amazon EC2 Run Command.
RunCommandParameters *RunCommandParameters `type:"structure"` RunCommandParameters *RunCommandParameters `type:"structure"`
// Contains the message group ID to use when the target is a FIFO queue.
SqsParameters *SqsParameters `type:"structure"`
} }
// String returns the string representation // String returns the string representation
@ -3215,6 +3389,11 @@ func (s *Target) Validate() error {
if s.RoleArn != nil && len(*s.RoleArn) < 1 { if s.RoleArn != nil && len(*s.RoleArn) < 1 {
invalidParams.Add(request.NewErrParamMinLen("RoleArn", 1)) invalidParams.Add(request.NewErrParamMinLen("RoleArn", 1))
} }
if s.BatchParameters != nil {
if err := s.BatchParameters.Validate(); err != nil {
invalidParams.AddNested("BatchParameters", err.(request.ErrInvalidParams))
}
}
if s.EcsParameters != nil { if s.EcsParameters != nil {
if err := s.EcsParameters.Validate(); err != nil { if err := s.EcsParameters.Validate(); err != nil {
invalidParams.AddNested("EcsParameters", err.(request.ErrInvalidParams)) invalidParams.AddNested("EcsParameters", err.(request.ErrInvalidParams))
@ -3248,6 +3427,12 @@ func (s *Target) SetArn(v string) *Target {
return s return s
} }
// SetBatchParameters sets the BatchParameters field's value.
func (s *Target) SetBatchParameters(v *BatchParameters) *Target {
s.BatchParameters = v
return s
}
// SetEcsParameters sets the EcsParameters field's value. // SetEcsParameters sets the EcsParameters field's value.
func (s *Target) SetEcsParameters(v *EcsParameters) *Target { func (s *Target) SetEcsParameters(v *EcsParameters) *Target {
s.EcsParameters = v s.EcsParameters = v
@ -3296,6 +3481,12 @@ func (s *Target) SetRunCommandParameters(v *RunCommandParameters) *Target {
return s return s
} }
// SetSqsParameters sets the SqsParameters field's value.
func (s *Target) SetSqsParameters(v *SqsParameters) *Target {
s.SqsParameters = v
return s
}
type TestEventPatternInput struct { type TestEventPatternInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`

View File

@ -16,7 +16,7 @@ const opAssociateKmsKey = "AssociateKmsKey"
// AssociateKmsKeyRequest generates a "aws/request.Request" representing the // AssociateKmsKeyRequest generates a "aws/request.Request" representing the
// client's request for the AssociateKmsKey operation. The "output" return // client's request for the AssociateKmsKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -119,7 +119,7 @@ const opCancelExportTask = "CancelExportTask"
// CancelExportTaskRequest generates a "aws/request.Request" representing the // CancelExportTaskRequest generates a "aws/request.Request" representing the
// client's request for the CancelExportTask operation. The "output" return // client's request for the CancelExportTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -211,7 +211,7 @@ const opCreateExportTask = "CreateExportTask"
// CreateExportTaskRequest generates a "aws/request.Request" representing the // CreateExportTaskRequest generates a "aws/request.Request" representing the
// client's request for the CreateExportTask operation. The "output" return // client's request for the CreateExportTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -316,7 +316,7 @@ const opCreateLogGroup = "CreateLogGroup"
// CreateLogGroupRequest generates a "aws/request.Request" representing the // CreateLogGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateLogGroup operation. The "output" return // client's request for the CreateLogGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -430,7 +430,7 @@ const opCreateLogStream = "CreateLogStream"
// CreateLogStreamRequest generates a "aws/request.Request" representing the // CreateLogStreamRequest generates a "aws/request.Request" representing the
// client's request for the CreateLogStream operation. The "output" return // client's request for the CreateLogStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -531,7 +531,7 @@ const opDeleteDestination = "DeleteDestination"
// DeleteDestinationRequest generates a "aws/request.Request" representing the // DeleteDestinationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDestination operation. The "output" return // client's request for the DeleteDestination operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -623,7 +623,7 @@ const opDeleteLogGroup = "DeleteLogGroup"
// DeleteLogGroupRequest generates a "aws/request.Request" representing the // DeleteLogGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLogGroup operation. The "output" return // client's request for the DeleteLogGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -714,7 +714,7 @@ const opDeleteLogStream = "DeleteLogStream"
// DeleteLogStreamRequest generates a "aws/request.Request" representing the // DeleteLogStreamRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLogStream operation. The "output" return // client's request for the DeleteLogStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -805,7 +805,7 @@ const opDeleteMetricFilter = "DeleteMetricFilter"
// DeleteMetricFilterRequest generates a "aws/request.Request" representing the // DeleteMetricFilterRequest generates a "aws/request.Request" representing the
// client's request for the DeleteMetricFilter operation. The "output" return // client's request for the DeleteMetricFilter operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -895,7 +895,7 @@ const opDeleteResourcePolicy = "DeleteResourcePolicy"
// DeleteResourcePolicyRequest generates a "aws/request.Request" representing the // DeleteResourcePolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteResourcePolicy operation. The "output" return // client's request for the DeleteResourcePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -983,7 +983,7 @@ const opDeleteRetentionPolicy = "DeleteRetentionPolicy"
// DeleteRetentionPolicyRequest generates a "aws/request.Request" representing the // DeleteRetentionPolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteRetentionPolicy operation. The "output" return // client's request for the DeleteRetentionPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1076,7 +1076,7 @@ const opDeleteSubscriptionFilter = "DeleteSubscriptionFilter"
// DeleteSubscriptionFilterRequest generates a "aws/request.Request" representing the // DeleteSubscriptionFilterRequest generates a "aws/request.Request" representing the
// client's request for the DeleteSubscriptionFilter operation. The "output" return // client's request for the DeleteSubscriptionFilter operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1166,7 +1166,7 @@ const opDescribeDestinations = "DescribeDestinations"
// DescribeDestinationsRequest generates a "aws/request.Request" representing the // DescribeDestinationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDestinations operation. The "output" return // client's request for the DescribeDestinations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1305,7 +1305,7 @@ const opDescribeExportTasks = "DescribeExportTasks"
// DescribeExportTasksRequest generates a "aws/request.Request" representing the // DescribeExportTasksRequest generates a "aws/request.Request" representing the
// client's request for the DescribeExportTasks operation. The "output" return // client's request for the DescribeExportTasks operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1388,7 +1388,7 @@ const opDescribeLogGroups = "DescribeLogGroups"
// DescribeLogGroupsRequest generates a "aws/request.Request" representing the // DescribeLogGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLogGroups operation. The "output" return // client's request for the DescribeLogGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1527,7 +1527,7 @@ const opDescribeLogStreams = "DescribeLogStreams"
// DescribeLogStreamsRequest generates a "aws/request.Request" representing the // DescribeLogStreamsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLogStreams operation. The "output" return // client's request for the DescribeLogStreams operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1673,7 +1673,7 @@ const opDescribeMetricFilters = "DescribeMetricFilters"
// DescribeMetricFiltersRequest generates a "aws/request.Request" representing the // DescribeMetricFiltersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMetricFilters operation. The "output" return // client's request for the DescribeMetricFilters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1816,7 +1816,7 @@ const opDescribeResourcePolicies = "DescribeResourcePolicies"
// DescribeResourcePoliciesRequest generates a "aws/request.Request" representing the // DescribeResourcePoliciesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeResourcePolicies operation. The "output" return // client's request for the DescribeResourcePolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1898,7 +1898,7 @@ const opDescribeSubscriptionFilters = "DescribeSubscriptionFilters"
// DescribeSubscriptionFiltersRequest generates a "aws/request.Request" representing the // DescribeSubscriptionFiltersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSubscriptionFilters operation. The "output" return // client's request for the DescribeSubscriptionFilters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2041,7 +2041,7 @@ const opDisassociateKmsKey = "DisassociateKmsKey"
// DisassociateKmsKeyRequest generates a "aws/request.Request" representing the // DisassociateKmsKeyRequest generates a "aws/request.Request" representing the
// client's request for the DisassociateKmsKey operation. The "output" return // client's request for the DisassociateKmsKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2139,7 +2139,7 @@ const opFilterLogEvents = "FilterLogEvents"
// FilterLogEventsRequest generates a "aws/request.Request" representing the // FilterLogEventsRequest generates a "aws/request.Request" representing the
// client's request for the FilterLogEvents operation. The "output" return // client's request for the FilterLogEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2288,7 +2288,7 @@ const opGetLogEvents = "GetLogEvents"
// GetLogEventsRequest generates a "aws/request.Request" representing the // GetLogEventsRequest generates a "aws/request.Request" representing the
// client's request for the GetLogEvents operation. The "output" return // client's request for the GetLogEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2434,7 +2434,7 @@ const opListTagsLogGroup = "ListTagsLogGroup"
// ListTagsLogGroupRequest generates a "aws/request.Request" representing the // ListTagsLogGroupRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsLogGroup operation. The "output" return // client's request for the ListTagsLogGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2516,7 +2516,7 @@ const opPutDestination = "PutDestination"
// PutDestinationRequest generates a "aws/request.Request" representing the // PutDestinationRequest generates a "aws/request.Request" representing the
// client's request for the PutDestination operation. The "output" return // client's request for the PutDestination operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2611,7 +2611,7 @@ const opPutDestinationPolicy = "PutDestinationPolicy"
// PutDestinationPolicyRequest generates a "aws/request.Request" representing the // PutDestinationPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutDestinationPolicy operation. The "output" return // client's request for the PutDestinationPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2701,7 +2701,7 @@ const opPutLogEvents = "PutLogEvents"
// PutLogEventsRequest generates a "aws/request.Request" representing the // PutLogEventsRequest generates a "aws/request.Request" representing the
// client's request for the PutLogEvents operation. The "output" return // client's request for the PutLogEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2819,7 +2819,7 @@ const opPutMetricFilter = "PutMetricFilter"
// PutMetricFilterRequest generates a "aws/request.Request" representing the // PutMetricFilterRequest generates a "aws/request.Request" representing the
// client's request for the PutMetricFilter operation. The "output" return // client's request for the PutMetricFilter operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2917,7 +2917,7 @@ const opPutResourcePolicy = "PutResourcePolicy"
// PutResourcePolicyRequest generates a "aws/request.Request" representing the // PutResourcePolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutResourcePolicy operation. The "output" return // client's request for the PutResourcePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3004,7 +3004,7 @@ const opPutRetentionPolicy = "PutRetentionPolicy"
// PutRetentionPolicyRequest generates a "aws/request.Request" representing the // PutRetentionPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutRetentionPolicy operation. The "output" return // client's request for the PutRetentionPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3096,7 +3096,7 @@ const opPutSubscriptionFilter = "PutSubscriptionFilter"
// PutSubscriptionFilterRequest generates a "aws/request.Request" representing the // PutSubscriptionFilterRequest generates a "aws/request.Request" representing the
// client's request for the PutSubscriptionFilter operation. The "output" return // client's request for the PutSubscriptionFilter operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3209,7 +3209,7 @@ const opTagLogGroup = "TagLogGroup"
// TagLogGroupRequest generates a "aws/request.Request" representing the // TagLogGroupRequest generates a "aws/request.Request" representing the
// client's request for the TagLogGroup operation. The "output" return // client's request for the TagLogGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3300,7 +3300,7 @@ const opTestMetricFilter = "TestMetricFilter"
// TestMetricFilterRequest generates a "aws/request.Request" representing the // TestMetricFilterRequest generates a "aws/request.Request" representing the
// client's request for the TestMetricFilter operation. The "output" return // client's request for the TestMetricFilter operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3384,7 +3384,7 @@ const opUntagLogGroup = "UntagLogGroup"
// UntagLogGroupRequest generates a "aws/request.Request" representing the // UntagLogGroupRequest generates a "aws/request.Request" representing the
// client's request for the UntagLogGroup operation. The "output" return // client's request for the UntagLogGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -15,7 +15,7 @@ const opBatchDeleteBuilds = "BatchDeleteBuilds"
// BatchDeleteBuildsRequest generates a "aws/request.Request" representing the // BatchDeleteBuildsRequest generates a "aws/request.Request" representing the
// client's request for the BatchDeleteBuilds operation. The "output" return // client's request for the BatchDeleteBuilds operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -94,7 +94,7 @@ const opBatchGetBuilds = "BatchGetBuilds"
// BatchGetBuildsRequest generates a "aws/request.Request" representing the // BatchGetBuildsRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetBuilds operation. The "output" return // client's request for the BatchGetBuilds operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -173,7 +173,7 @@ const opBatchGetProjects = "BatchGetProjects"
// BatchGetProjectsRequest generates a "aws/request.Request" representing the // BatchGetProjectsRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetProjects operation. The "output" return // client's request for the BatchGetProjects operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -252,7 +252,7 @@ const opCreateProject = "CreateProject"
// CreateProjectRequest generates a "aws/request.Request" representing the // CreateProjectRequest generates a "aws/request.Request" representing the
// client's request for the CreateProject operation. The "output" return // client's request for the CreateProject operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -338,7 +338,7 @@ const opCreateWebhook = "CreateWebhook"
// CreateWebhookRequest generates a "aws/request.Request" representing the // CreateWebhookRequest generates a "aws/request.Request" representing the
// client's request for the CreateWebhook operation. The "output" return // client's request for the CreateWebhook operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -438,7 +438,7 @@ const opDeleteProject = "DeleteProject"
// DeleteProjectRequest generates a "aws/request.Request" representing the // DeleteProjectRequest generates a "aws/request.Request" representing the
// client's request for the DeleteProject operation. The "output" return // client's request for the DeleteProject operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -517,7 +517,7 @@ const opDeleteWebhook = "DeleteWebhook"
// DeleteWebhookRequest generates a "aws/request.Request" representing the // DeleteWebhookRequest generates a "aws/request.Request" representing the
// client's request for the DeleteWebhook operation. The "output" return // client's request for the DeleteWebhook operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -604,7 +604,7 @@ const opInvalidateProjectCache = "InvalidateProjectCache"
// InvalidateProjectCacheRequest generates a "aws/request.Request" representing the // InvalidateProjectCacheRequest generates a "aws/request.Request" representing the
// client's request for the InvalidateProjectCache operation. The "output" return // client's request for the InvalidateProjectCache operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -686,7 +686,7 @@ const opListBuilds = "ListBuilds"
// ListBuildsRequest generates a "aws/request.Request" representing the // ListBuildsRequest generates a "aws/request.Request" representing the
// client's request for the ListBuilds operation. The "output" return // client's request for the ListBuilds operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -765,7 +765,7 @@ const opListBuildsForProject = "ListBuildsForProject"
// ListBuildsForProjectRequest generates a "aws/request.Request" representing the // ListBuildsForProjectRequest generates a "aws/request.Request" representing the
// client's request for the ListBuildsForProject operation. The "output" return // client's request for the ListBuildsForProject operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -848,7 +848,7 @@ const opListCuratedEnvironmentImages = "ListCuratedEnvironmentImages"
// ListCuratedEnvironmentImagesRequest generates a "aws/request.Request" representing the // ListCuratedEnvironmentImagesRequest generates a "aws/request.Request" representing the
// client's request for the ListCuratedEnvironmentImages operation. The "output" return // client's request for the ListCuratedEnvironmentImages operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -922,7 +922,7 @@ const opListProjects = "ListProjects"
// ListProjectsRequest generates a "aws/request.Request" representing the // ListProjectsRequest generates a "aws/request.Request" representing the
// client's request for the ListProjects operation. The "output" return // client's request for the ListProjects operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1002,7 +1002,7 @@ const opStartBuild = "StartBuild"
// StartBuildRequest generates a "aws/request.Request" representing the // StartBuildRequest generates a "aws/request.Request" representing the
// client's request for the StartBuild operation. The "output" return // client's request for the StartBuild operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1087,7 +1087,7 @@ const opStopBuild = "StopBuild"
// StopBuildRequest generates a "aws/request.Request" representing the // StopBuildRequest generates a "aws/request.Request" representing the
// client's request for the StopBuild operation. The "output" return // client's request for the StopBuild operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1169,7 +1169,7 @@ const opUpdateProject = "UpdateProject"
// UpdateProjectRequest generates a "aws/request.Request" representing the // UpdateProjectRequest generates a "aws/request.Request" representing the
// client's request for the UpdateProject operation. The "output" return // client's request for the UpdateProject operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1247,6 +1247,91 @@ func (c *CodeBuild) UpdateProjectWithContext(ctx aws.Context, input *UpdateProje
return out, req.Send() return out, req.Send()
} }
const opUpdateWebhook = "UpdateWebhook"
// UpdateWebhookRequest generates a "aws/request.Request" representing the
// client's request for the UpdateWebhook operation. The "output" return
// value will be populated with the request's response once the request completes
// successfuly.
//
// Use "Send" method on the returned Request to send the API call to the service.
// the "output" return value is not valid until after Send returns without error.
//
// See UpdateWebhook for more information on using the UpdateWebhook
// API call, and error handling.
//
// This method is useful when you want to inject custom logic or configuration
// into the SDK's request lifecycle. Such as custom headers, or retry logic.
//
//
// // Example sending a request using the UpdateWebhookRequest method.
// req, resp := client.UpdateWebhookRequest(params)
//
// err := req.Send()
// if err == nil { // resp is now filled
// fmt.Println(resp)
// }
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/codebuild-2016-10-06/UpdateWebhook
func (c *CodeBuild) UpdateWebhookRequest(input *UpdateWebhookInput) (req *request.Request, output *UpdateWebhookOutput) {
op := &request.Operation{
Name: opUpdateWebhook,
HTTPMethod: "POST",
HTTPPath: "/",
}
if input == nil {
input = &UpdateWebhookInput{}
}
output = &UpdateWebhookOutput{}
req = c.newRequest(op, input, output)
return
}
// UpdateWebhook API operation for AWS CodeBuild.
//
// Updates the webhook associated with an AWS CodeBuild build project.
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about
// the error.
//
// See the AWS API reference guide for AWS CodeBuild's
// API operation UpdateWebhook for usage and error information.
//
// Returned Error Codes:
// * ErrCodeInvalidInputException "InvalidInputException"
// The input value that was provided is not valid.
//
// * ErrCodeResourceNotFoundException "ResourceNotFoundException"
// The specified AWS resource cannot be found.
//
// * ErrCodeOAuthProviderException "OAuthProviderException"
// There was a problem with the underlying OAuth provider.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/codebuild-2016-10-06/UpdateWebhook
func (c *CodeBuild) UpdateWebhook(input *UpdateWebhookInput) (*UpdateWebhookOutput, error) {
req, out := c.UpdateWebhookRequest(input)
return out, req.Send()
}
// UpdateWebhookWithContext is the same as UpdateWebhook with the addition of
// the ability to pass a context and additional request options.
//
// See UpdateWebhook for details on how to use this API operation.
//
// The context must be non-nil and will be used for request cancellation. If
// the context is nil a panic will occur. In the future the SDK may create
// sub-contexts for http.Requests. See https://golang.org/pkg/context/
// for more information on using Contexts.
func (c *CodeBuild) UpdateWebhookWithContext(ctx aws.Context, input *UpdateWebhookInput, opts ...request.Option) (*UpdateWebhookOutput, error) {
req, out := c.UpdateWebhookRequest(input)
req.SetContext(ctx)
req.ApplyOptions(opts...)
return out, req.Send()
}
type BatchDeleteBuildsInput struct { type BatchDeleteBuildsInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -1531,7 +1616,7 @@ type Build struct {
// about any current build phase that is not yet complete. // about any current build phase that is not yet complete.
Phases []*BuildPhase `locationName:"phases" type:"list"` Phases []*BuildPhase `locationName:"phases" type:"list"`
// The name of the build project. // The name of the AWS CodeBuild project.
ProjectName *string `locationName:"projectName" min:"1" type:"string"` ProjectName *string `locationName:"projectName" min:"1" type:"string"`
// Information about the source code to be built. // Information about the source code to be built.
@ -2107,7 +2192,13 @@ func (s *CreateProjectOutput) SetProject(v *Project) *CreateProjectOutput {
type CreateWebhookInput struct { type CreateWebhookInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The name of the build project. // A regular expression used to determine which branches in a repository are
// built when a webhook is triggered. If the name of a branch matches the regular
// expression, then it is built. If it doesn't match, then it is not. If branchFilter
// is empty, then all branches are built.
BranchFilter *string `locationName:"branchFilter" type:"string"`
// The name of the AWS CodeBuild project.
// //
// ProjectName is a required field // ProjectName is a required field
ProjectName *string `locationName:"projectName" min:"2" type:"string" required:"true"` ProjectName *string `locationName:"projectName" min:"2" type:"string" required:"true"`
@ -2139,6 +2230,12 @@ func (s *CreateWebhookInput) Validate() error {
return nil return nil
} }
// SetBranchFilter sets the BranchFilter field's value.
func (s *CreateWebhookInput) SetBranchFilter(v string) *CreateWebhookInput {
s.BranchFilter = &v
return s
}
// SetProjectName sets the ProjectName field's value. // SetProjectName sets the ProjectName field's value.
func (s *CreateWebhookInput) SetProjectName(v string) *CreateWebhookInput { func (s *CreateWebhookInput) SetProjectName(v string) *CreateWebhookInput {
s.ProjectName = &v s.ProjectName = &v
@ -2227,7 +2324,7 @@ func (s DeleteProjectOutput) GoString() string {
type DeleteWebhookInput struct { type DeleteWebhookInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The name of the build project. // The name of the AWS CodeBuild project.
// //
// ProjectName is a required field // ProjectName is a required field
ProjectName *string `locationName:"projectName" min:"2" type:"string" required:"true"` ProjectName *string `locationName:"projectName" min:"2" type:"string" required:"true"`
@ -2467,7 +2564,8 @@ func (s *EnvironmentVariable) SetValue(v string) *EnvironmentVariable {
type InvalidateProjectCacheInput struct { type InvalidateProjectCacheInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The name of the build project that the cache will be reset for. // The name of the AWS CodeBuild build project that the cache will be reset
// for.
// //
// ProjectName is a required field // ProjectName is a required field
ProjectName *string `locationName:"projectName" min:"1" type:"string" required:"true"` ProjectName *string `locationName:"projectName" min:"1" type:"string" required:"true"`
@ -2530,7 +2628,7 @@ type ListBuildsForProjectInput struct {
// until no more next tokens are returned. // until no more next tokens are returned.
NextToken *string `locationName:"nextToken" type:"string"` NextToken *string `locationName:"nextToken" type:"string"`
// The name of the build project. // The name of the AWS CodeBuild project.
// //
// ProjectName is a required field // ProjectName is a required field
ProjectName *string `locationName:"projectName" min:"1" type:"string" required:"true"` ProjectName *string `locationName:"projectName" min:"1" type:"string" required:"true"`
@ -3414,17 +3512,15 @@ type ProjectEnvironment struct {
// Image is a required field // Image is a required field
Image *string `locationName:"image" min:"1" type:"string" required:"true"` Image *string `locationName:"image" min:"1" type:"string" required:"true"`
// If set to true, enables running the Docker daemon inside a Docker container; // Enables running the Docker daemon inside a Docker container. Set to true
// otherwise, false or not specified (the default). This value must be set to // only if the build project is be used to build Docker images, and the specified
// true only if this build project will be used to build Docker images, and // build environment image is not provided by AWS CodeBuild with Docker support.
// the specified build environment image is not one provided by AWS CodeBuild // Otherwise, all associated builds that attempt to interact with the Docker
// with Docker support. Otherwise, all associated builds that attempt to interact // daemon will fail. Note that you must also start the Docker daemon so that
// with the Docker daemon will fail. Note that you must also start the Docker // builds can interact with it. One way to do this is to initialize the Docker
// daemon so that your builds can interact with it as needed. One way to do // daemon during the install phase of your build spec by running the following
// this is to initialize the Docker daemon in the install phase of your build // build commands. (Do not run the following build commands if the specified
// spec by running the following build commands. (Do not run the following build // build environment image is provided by AWS CodeBuild with Docker support.)
// commands if the specified build environment image is provided by AWS CodeBuild
// with Docker support.)
// //
// - nohup /usr/local/bin/dockerd --host=unix:///var/run/docker.sock --host=tcp://0.0.0.0:2375 // - nohup /usr/local/bin/dockerd --host=unix:///var/run/docker.sock --host=tcp://0.0.0.0:2375
// --storage-driver=overlay& - timeout -t 15 sh -c "until docker info; do echo // --storage-driver=overlay& - timeout -t 15 sh -c "until docker info; do echo
@ -3737,7 +3833,7 @@ type StartBuildInput struct {
// for this build only, any previous depth of history defined in the build project. // for this build only, any previous depth of history defined in the build project.
GitCloneDepthOverride *int64 `locationName:"gitCloneDepthOverride" type:"integer"` GitCloneDepthOverride *int64 `locationName:"gitCloneDepthOverride" type:"integer"`
// The name of the build project to start running a build. // The name of the AWS CodeBuild build project to start running a build.
// //
// ProjectName is a required field // ProjectName is a required field
ProjectName *string `locationName:"projectName" min:"1" type:"string" required:"true"` ProjectName *string `locationName:"projectName" min:"1" type:"string" required:"true"`
@ -4215,6 +4311,93 @@ func (s *UpdateProjectOutput) SetProject(v *Project) *UpdateProjectOutput {
return s return s
} }
type UpdateWebhookInput struct {
_ struct{} `type:"structure"`
// A regular expression used to determine which branches in a repository are
// built when a webhook is triggered. If the name of a branch matches the regular
// expression, then it is built. If it doesn't match, then it is not. If branchFilter
// is empty, then all branches are built.
BranchFilter *string `locationName:"branchFilter" type:"string"`
// The name of the AWS CodeBuild project.
//
// ProjectName is a required field
ProjectName *string `locationName:"projectName" min:"2" type:"string" required:"true"`
// A boolean value that specifies whether the associated repository's secret
// token should be updated.
RotateSecret *bool `locationName:"rotateSecret" type:"boolean"`
}
// String returns the string representation
func (s UpdateWebhookInput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s UpdateWebhookInput) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *UpdateWebhookInput) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "UpdateWebhookInput"}
if s.ProjectName == nil {
invalidParams.Add(request.NewErrParamRequired("ProjectName"))
}
if s.ProjectName != nil && len(*s.ProjectName) < 2 {
invalidParams.Add(request.NewErrParamMinLen("ProjectName", 2))
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetBranchFilter sets the BranchFilter field's value.
func (s *UpdateWebhookInput) SetBranchFilter(v string) *UpdateWebhookInput {
s.BranchFilter = &v
return s
}
// SetProjectName sets the ProjectName field's value.
func (s *UpdateWebhookInput) SetProjectName(v string) *UpdateWebhookInput {
s.ProjectName = &v
return s
}
// SetRotateSecret sets the RotateSecret field's value.
func (s *UpdateWebhookInput) SetRotateSecret(v bool) *UpdateWebhookInput {
s.RotateSecret = &v
return s
}
type UpdateWebhookOutput struct {
_ struct{} `type:"structure"`
// Information about a repository's webhook that is associated with a project
// in AWS CodeBuild.
Webhook *Webhook `locationName:"webhook" type:"structure"`
}
// String returns the string representation
func (s UpdateWebhookOutput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s UpdateWebhookOutput) GoString() string {
return s.String()
}
// SetWebhook sets the Webhook field's value.
func (s *UpdateWebhookOutput) SetWebhook(v *Webhook) *UpdateWebhookOutput {
s.Webhook = v
return s
}
// Information about the VPC configuration that AWS CodeBuild will access. // Information about the VPC configuration that AWS CodeBuild will access.
type VpcConfig struct { type VpcConfig struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -4275,12 +4458,19 @@ func (s *VpcConfig) SetVpcId(v string) *VpcConfig {
type Webhook struct { type Webhook struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// This is the server endpoint that will receive the webhook payload. // A regular expression used to determine which branches in a repository are
// built when a webhook is triggered. If the name of a branch matches the regular
// expression, then it is built. If it doesn't match, then it is not. If branchFilter
// is empty, then all branches are built.
BranchFilter *string `locationName:"branchFilter" type:"string"`
// A timestamp indicating the last time a repository's secret token was modified.
LastModifiedSecret *time.Time `locationName:"lastModifiedSecret" type:"timestamp" timestampFormat:"unix"`
// The CodeBuild endpoint where webhook events are sent.
PayloadUrl *string `locationName:"payloadUrl" min:"1" type:"string"` PayloadUrl *string `locationName:"payloadUrl" min:"1" type:"string"`
// Use this secret while creating a webhook in GitHub for Enterprise. The secret // The secret token of the associated repository.
// allows webhook requests sent by GitHub for Enterprise to be authenticated
// by AWS CodeBuild.
Secret *string `locationName:"secret" min:"1" type:"string"` Secret *string `locationName:"secret" min:"1" type:"string"`
// The URL to the webhook. // The URL to the webhook.
@ -4297,6 +4487,18 @@ func (s Webhook) GoString() string {
return s.String() return s.String()
} }
// SetBranchFilter sets the BranchFilter field's value.
func (s *Webhook) SetBranchFilter(v string) *Webhook {
s.BranchFilter = &v
return s
}
// SetLastModifiedSecret sets the LastModifiedSecret field's value.
func (s *Webhook) SetLastModifiedSecret(v time.Time) *Webhook {
s.LastModifiedSecret = &v
return s
}
// SetPayloadUrl sets the PayloadUrl field's value. // SetPayloadUrl sets the PayloadUrl field's value.
func (s *Webhook) SetPayloadUrl(v string) *Webhook { func (s *Webhook) SetPayloadUrl(v string) *Webhook {
s.PayloadUrl = &v s.PayloadUrl = &v

View File

@ -33,6 +33,8 @@
// begin automatically rebuilding the source code every time a code change // begin automatically rebuilding the source code every time a code change
// is pushed to the repository. // is pushed to the repository.
// //
// * UpdateWebhook: Changes the settings of an existing webhook.
//
// * DeleteProject: Deletes a build project. // * DeleteProject: Deletes a build project.
// //
// * DeleteWebhook: For an existing AWS CodeBuild build project that has // * DeleteWebhook: For an existing AWS CodeBuild build project that has

View File

@ -17,7 +17,7 @@ const opBatchGetRepositories = "BatchGetRepositories"
// BatchGetRepositoriesRequest generates a "aws/request.Request" representing the // BatchGetRepositoriesRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetRepositories operation. The "output" return // client's request for the BatchGetRepositories operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -128,7 +128,7 @@ const opCreateBranch = "CreateBranch"
// CreateBranchRequest generates a "aws/request.Request" representing the // CreateBranchRequest generates a "aws/request.Request" representing the
// client's request for the CreateBranch operation. The "output" return // client's request for the CreateBranch operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -256,7 +256,7 @@ const opCreatePullRequest = "CreatePullRequest"
// CreatePullRequestRequest generates a "aws/request.Request" representing the // CreatePullRequestRequest generates a "aws/request.Request" representing the
// client's request for the CreatePullRequest operation. The "output" return // client's request for the CreatePullRequest operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -433,7 +433,7 @@ const opCreateRepository = "CreateRepository"
// CreateRepositoryRequest generates a "aws/request.Request" representing the // CreateRepositoryRequest generates a "aws/request.Request" representing the
// client's request for the CreateRepository operation. The "output" return // client's request for the CreateRepository operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -543,7 +543,7 @@ const opDeleteBranch = "DeleteBranch"
// DeleteBranchRequest generates a "aws/request.Request" representing the // DeleteBranchRequest generates a "aws/request.Request" representing the
// client's request for the DeleteBranch operation. The "output" return // client's request for the DeleteBranch operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -659,7 +659,7 @@ const opDeleteCommentContent = "DeleteCommentContent"
// DeleteCommentContentRequest generates a "aws/request.Request" representing the // DeleteCommentContentRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCommentContent operation. The "output" return // client's request for the DeleteCommentContent operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -750,7 +750,7 @@ const opDeleteRepository = "DeleteRepository"
// DeleteRepositoryRequest generates a "aws/request.Request" representing the // DeleteRepositoryRequest generates a "aws/request.Request" representing the
// client's request for the DeleteRepository operation. The "output" return // client's request for the DeleteRepository operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -856,7 +856,7 @@ const opDescribePullRequestEvents = "DescribePullRequestEvents"
// DescribePullRequestEventsRequest generates a "aws/request.Request" representing the // DescribePullRequestEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribePullRequestEvents operation. The "output" return // client's request for the DescribePullRequestEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1032,7 +1032,7 @@ const opGetBlob = "GetBlob"
// GetBlobRequest generates a "aws/request.Request" representing the // GetBlobRequest generates a "aws/request.Request" representing the
// client's request for the GetBlob operation. The "output" return // client's request for the GetBlob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1150,7 +1150,7 @@ const opGetBranch = "GetBranch"
// GetBranchRequest generates a "aws/request.Request" representing the // GetBranchRequest generates a "aws/request.Request" representing the
// client's request for the GetBranch operation. The "output" return // client's request for the GetBranch operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1264,7 +1264,7 @@ const opGetComment = "GetComment"
// GetCommentRequest generates a "aws/request.Request" representing the // GetCommentRequest generates a "aws/request.Request" representing the
// client's request for the GetComment operation. The "output" return // client's request for the GetComment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1355,7 +1355,7 @@ const opGetCommentsForComparedCommit = "GetCommentsForComparedCommit"
// GetCommentsForComparedCommitRequest generates a "aws/request.Request" representing the // GetCommentsForComparedCommitRequest generates a "aws/request.Request" representing the
// client's request for the GetCommentsForComparedCommit operation. The "output" return // client's request for the GetCommentsForComparedCommit operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1531,7 +1531,7 @@ const opGetCommentsForPullRequest = "GetCommentsForPullRequest"
// GetCommentsForPullRequestRequest generates a "aws/request.Request" representing the // GetCommentsForPullRequestRequest generates a "aws/request.Request" representing the
// client's request for the GetCommentsForPullRequest operation. The "output" return // client's request for the GetCommentsForPullRequest operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1724,7 +1724,7 @@ const opGetCommit = "GetCommit"
// GetCommitRequest generates a "aws/request.Request" representing the // GetCommitRequest generates a "aws/request.Request" representing the
// client's request for the GetCommit operation. The "output" return // client's request for the GetCommit operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1838,7 +1838,7 @@ const opGetDifferences = "GetDifferences"
// GetDifferencesRequest generates a "aws/request.Request" representing the // GetDifferencesRequest generates a "aws/request.Request" representing the
// client's request for the GetDifferences operation. The "output" return // client's request for the GetDifferences operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2025,7 +2025,7 @@ const opGetMergeConflicts = "GetMergeConflicts"
// GetMergeConflictsRequest generates a "aws/request.Request" representing the // GetMergeConflictsRequest generates a "aws/request.Request" representing the
// client's request for the GetMergeConflicts operation. The "output" return // client's request for the GetMergeConflicts operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2159,7 +2159,7 @@ const opGetPullRequest = "GetPullRequest"
// GetPullRequestRequest generates a "aws/request.Request" representing the // GetPullRequestRequest generates a "aws/request.Request" representing the
// client's request for the GetPullRequest operation. The "output" return // client's request for the GetPullRequest operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2262,7 +2262,7 @@ const opGetRepository = "GetRepository"
// GetRepositoryRequest generates a "aws/request.Request" representing the // GetRepositoryRequest generates a "aws/request.Request" representing the
// client's request for the GetRepository operation. The "output" return // client's request for the GetRepository operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2372,7 +2372,7 @@ const opGetRepositoryTriggers = "GetRepositoryTriggers"
// GetRepositoryTriggersRequest generates a "aws/request.Request" representing the // GetRepositoryTriggersRequest generates a "aws/request.Request" representing the
// client's request for the GetRepositoryTriggers operation. The "output" return // client's request for the GetRepositoryTriggers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2476,7 +2476,7 @@ const opListBranches = "ListBranches"
// ListBranchesRequest generates a "aws/request.Request" representing the // ListBranchesRequest generates a "aws/request.Request" representing the
// client's request for the ListBranches operation. The "output" return // client's request for the ListBranches operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2639,7 +2639,7 @@ const opListPullRequests = "ListPullRequests"
// ListPullRequestsRequest generates a "aws/request.Request" representing the // ListPullRequestsRequest generates a "aws/request.Request" representing the
// client's request for the ListPullRequests operation. The "output" return // client's request for the ListPullRequests operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2817,7 +2817,7 @@ const opListRepositories = "ListRepositories"
// ListRepositoriesRequest generates a "aws/request.Request" representing the // ListRepositoriesRequest generates a "aws/request.Request" representing the
// client's request for the ListRepositories operation. The "output" return // client's request for the ListRepositories operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2958,7 +2958,7 @@ const opMergePullRequestByFastForward = "MergePullRequestByFastForward"
// MergePullRequestByFastForwardRequest generates a "aws/request.Request" representing the // MergePullRequestByFastForwardRequest generates a "aws/request.Request" representing the
// client's request for the MergePullRequestByFastForward operation. The "output" return // client's request for the MergePullRequestByFastForward operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3094,7 +3094,7 @@ const opPostCommentForComparedCommit = "PostCommentForComparedCommit"
// PostCommentForComparedCommitRequest generates a "aws/request.Request" representing the // PostCommentForComparedCommitRequest generates a "aws/request.Request" representing the
// client's request for the PostCommentForComparedCommit operation. The "output" return // client's request for the PostCommentForComparedCommit operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3254,7 +3254,7 @@ const opPostCommentForPullRequest = "PostCommentForPullRequest"
// PostCommentForPullRequestRequest generates a "aws/request.Request" representing the // PostCommentForPullRequestRequest generates a "aws/request.Request" representing the
// client's request for the PostCommentForPullRequest operation. The "output" return // client's request for the PostCommentForPullRequest operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3434,7 +3434,7 @@ const opPostCommentReply = "PostCommentReply"
// PostCommentReplyRequest generates a "aws/request.Request" representing the // PostCommentReplyRequest generates a "aws/request.Request" representing the
// client's request for the PostCommentReply operation. The "output" return // client's request for the PostCommentReply operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3539,11 +3539,197 @@ func (c *CodeCommit) PostCommentReplyWithContext(ctx aws.Context, input *PostCom
return out, req.Send() return out, req.Send()
} }
const opPutFile = "PutFile"
// PutFileRequest generates a "aws/request.Request" representing the
// client's request for the PutFile operation. The "output" return
// value will be populated with the request's response once the request completes
// successfuly.
//
// Use "Send" method on the returned Request to send the API call to the service.
// the "output" return value is not valid until after Send returns without error.
//
// See PutFile for more information on using the PutFile
// API call, and error handling.
//
// This method is useful when you want to inject custom logic or configuration
// into the SDK's request lifecycle. Such as custom headers, or retry logic.
//
//
// // Example sending a request using the PutFileRequest method.
// req, resp := client.PutFileRequest(params)
//
// err := req.Send()
// if err == nil { // resp is now filled
// fmt.Println(resp)
// }
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/codecommit-2015-04-13/PutFile
func (c *CodeCommit) PutFileRequest(input *PutFileInput) (req *request.Request, output *PutFileOutput) {
op := &request.Operation{
Name: opPutFile,
HTTPMethod: "POST",
HTTPPath: "/",
}
if input == nil {
input = &PutFileInput{}
}
output = &PutFileOutput{}
req = c.newRequest(op, input, output)
return
}
// PutFile API operation for AWS CodeCommit.
//
// Adds or updates a file in an AWS CodeCommit repository.
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about
// the error.
//
// See the AWS API reference guide for AWS CodeCommit's
// API operation PutFile for usage and error information.
//
// Returned Error Codes:
// * ErrCodeRepositoryNameRequiredException "RepositoryNameRequiredException"
// A repository name is required but was not specified.
//
// * ErrCodeInvalidRepositoryNameException "InvalidRepositoryNameException"
// At least one specified repository name is not valid.
//
// This exception only occurs when a specified repository name is not valid.
// Other exceptions occur when a required repository parameter is missing, or
// when a specified repository does not exist.
//
// * ErrCodeRepositoryDoesNotExistException "RepositoryDoesNotExistException"
// The specified repository does not exist.
//
// * ErrCodeParentCommitIdRequiredException "ParentCommitIdRequiredException"
// A parent commit ID is required. To view the full commit ID of a branch in
// a repository, use GetBranch or a Git command (for example, git pull or git
// log).
//
// * ErrCodeInvalidParentCommitIdException "InvalidParentCommitIdException"
// The parent commit ID is not valid. The commit ID cannot be empty, and must
// match the head commit ID for the branch of the repository where you want
// to add or update a file.
//
// * ErrCodeParentCommitDoesNotExistException "ParentCommitDoesNotExistException"
// The parent commit ID is not valid. The specified parent commit ID does not
// exist in the specified branch of the repository.
//
// * ErrCodeParentCommitIdOutdatedException "ParentCommitIdOutdatedException"
// The file could not be added because the provided parent commit ID is not
// the current tip of the specified branch. To view the full commit ID of the
// current head of the branch, use GetBranch.
//
// * ErrCodeFileContentRequiredException "FileContentRequiredException"
// The file cannot be added because it is empty. Empty files cannot be added
// to the repository with this API.
//
// * ErrCodeFileContentSizeLimitExceededException "FileContentSizeLimitExceededException"
// The file cannot be added because it is too large. The maximum file size that
// can be added using PutFile is 6 MB. For files larger than 6 MB but smaller
// than 2 GB, add them using a Git client.
//
// * ErrCodePathRequiredException "PathRequiredException"
// The filePath for a location cannot be empty or null.
//
// * ErrCodeInvalidPathException "InvalidPathException"
// The specified path is not valid.
//
// * ErrCodeBranchNameRequiredException "BranchNameRequiredException"
// A branch name is required but was not specified.
//
// * ErrCodeInvalidBranchNameException "InvalidBranchNameException"
// The specified reference name is not valid.
//
// * ErrCodeBranchDoesNotExistException "BranchDoesNotExistException"
// The specified branch does not exist.
//
// * ErrCodeBranchNameIsTagNameException "BranchNameIsTagNameException"
// The specified branch name is not valid because it is a tag name. Type the
// name of a current branch in the repository. For a list of valid branch names,
// use ListBranches.
//
// * ErrCodeInvalidFileModeException "InvalidFileModeException"
// The specified file mode permission is not valid. For a list of valid file
// mode permissions, see PutFile.
//
// * ErrCodeNameLengthExceededException "NameLengthExceededException"
// The file name is not valid because it has exceeded the character limit for
// file names. File names, including the path to the file, cannot exceed the
// character limit.
//
// * ErrCodeInvalidEmailException "InvalidEmailException"
// The specified email address either contains one or more characters that are
// not allowed, or it exceeds the maximum number of characters allowed for an
// email address.
//
// * ErrCodeCommitMessageLengthExceededException "CommitMessageLengthExceededException"
// The commit message is too long. Provide a shorter string.
//
// * ErrCodeEncryptionIntegrityChecksFailedException "EncryptionIntegrityChecksFailedException"
// An encryption integrity check failed.
//
// * ErrCodeEncryptionKeyAccessDeniedException "EncryptionKeyAccessDeniedException"
// An encryption key could not be accessed.
//
// * ErrCodeEncryptionKeyDisabledException "EncryptionKeyDisabledException"
// The encryption key is disabled.
//
// * ErrCodeEncryptionKeyNotFoundException "EncryptionKeyNotFoundException"
// No encryption key was found.
//
// * ErrCodeEncryptionKeyUnavailableException "EncryptionKeyUnavailableException"
// The encryption key is not available.
//
// * ErrCodeSameFileContentException "SameFileContentException"
// The file was not added or updated because the content of the file is exactly
// the same as the content of that file in the repository and branch that you
// specified.
//
// * ErrCodeFileNameConflictsWithDirectoryNameException "FileNameConflictsWithDirectoryNameException"
// A file cannot be added to the repository because the specified file name
// has the same name as a directory in this repository. Either provide another
// name for the file, or add the file in a directory that does not match the
// file name.
//
// * ErrCodeDirectoryNameConflictsWithFileNameException "DirectoryNameConflictsWithFileNameException"
// A file cannot be added to the repository because the specified path name
// has the same name as a file that already exists in this repository. Either
// provide a different name for the file, or specify a different path for the
// file.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/codecommit-2015-04-13/PutFile
func (c *CodeCommit) PutFile(input *PutFileInput) (*PutFileOutput, error) {
req, out := c.PutFileRequest(input)
return out, req.Send()
}
// PutFileWithContext is the same as PutFile with the addition of
// the ability to pass a context and additional request options.
//
// See PutFile for details on how to use this API operation.
//
// The context must be non-nil and will be used for request cancellation. If
// the context is nil a panic will occur. In the future the SDK may create
// sub-contexts for http.Requests. See https://golang.org/pkg/context/
// for more information on using Contexts.
func (c *CodeCommit) PutFileWithContext(ctx aws.Context, input *PutFileInput, opts ...request.Option) (*PutFileOutput, error) {
req, out := c.PutFileRequest(input)
req.SetContext(ctx)
req.ApplyOptions(opts...)
return out, req.Send()
}
const opPutRepositoryTriggers = "PutRepositoryTriggers" const opPutRepositoryTriggers = "PutRepositoryTriggers"
// PutRepositoryTriggersRequest generates a "aws/request.Request" representing the // PutRepositoryTriggersRequest generates a "aws/request.Request" representing the
// client's request for the PutRepositoryTriggers operation. The "output" return // client's request for the PutRepositoryTriggers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3693,7 +3879,7 @@ const opTestRepositoryTriggers = "TestRepositoryTriggers"
// TestRepositoryTriggersRequest generates a "aws/request.Request" representing the // TestRepositoryTriggersRequest generates a "aws/request.Request" representing the
// client's request for the TestRepositoryTriggers operation. The "output" return // client's request for the TestRepositoryTriggers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3845,7 +4031,7 @@ const opUpdateComment = "UpdateComment"
// UpdateCommentRequest generates a "aws/request.Request" representing the // UpdateCommentRequest generates a "aws/request.Request" representing the
// client's request for the UpdateComment operation. The "output" return // client's request for the UpdateComment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3947,7 +4133,7 @@ const opUpdateDefaultBranch = "UpdateDefaultBranch"
// UpdateDefaultBranchRequest generates a "aws/request.Request" representing the // UpdateDefaultBranchRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDefaultBranch operation. The "output" return // client's request for the UpdateDefaultBranch operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4066,7 +4252,7 @@ const opUpdatePullRequestDescription = "UpdatePullRequestDescription"
// UpdatePullRequestDescriptionRequest generates a "aws/request.Request" representing the // UpdatePullRequestDescriptionRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePullRequestDescription operation. The "output" return // client's request for the UpdatePullRequestDescription operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4161,7 +4347,7 @@ const opUpdatePullRequestStatus = "UpdatePullRequestStatus"
// UpdatePullRequestStatusRequest generates a "aws/request.Request" representing the // UpdatePullRequestStatusRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePullRequestStatus operation. The "output" return // client's request for the UpdatePullRequestStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4275,7 +4461,7 @@ const opUpdatePullRequestTitle = "UpdatePullRequestTitle"
// UpdatePullRequestTitleRequest generates a "aws/request.Request" representing the // UpdatePullRequestTitleRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePullRequestTitle operation. The "output" return // client's request for the UpdatePullRequestTitle operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4373,7 +4559,7 @@ const opUpdateRepositoryDescription = "UpdateRepositoryDescription"
// UpdateRepositoryDescriptionRequest generates a "aws/request.Request" representing the // UpdateRepositoryDescriptionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateRepositoryDescription operation. The "output" return // client's request for the UpdateRepositoryDescription operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4488,7 +4674,7 @@ const opUpdateRepositoryName = "UpdateRepositoryName"
// UpdateRepositoryNameRequest generates a "aws/request.Request" representing the // UpdateRepositoryNameRequest generates a "aws/request.Request" representing the
// client's request for the UpdateRepositoryName operation. The "output" return // client's request for the UpdateRepositoryName operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5032,7 +5218,8 @@ type Commit struct {
// The commit message associated with the specified commit. // The commit message associated with the specified commit.
Message *string `locationName:"message" type:"string"` Message *string `locationName:"message" type:"string"`
// The parent list for the specified commit. // A list of parent commits for the specified commit. Each parent commit ID
// is the full commit ID.
Parents []*string `locationName:"parents" type:"list"` Parents []*string `locationName:"parents" type:"list"`
// Tree information for the specified commit. // Tree information for the specified commit.
@ -8083,6 +8270,198 @@ func (s *PullRequestTarget) SetSourceReference(v string) *PullRequestTarget {
return s return s
} }
type PutFileInput struct {
_ struct{} `type:"structure"`
// The name of the branch where you want to add or update the file.
//
// BranchName is a required field
BranchName *string `locationName:"branchName" min:"1" type:"string" required:"true"`
// A message about why this file was added or updated. While optional, adding
// a message is strongly encouraged in order to provide a more useful commit
// history for your repository.
CommitMessage *string `locationName:"commitMessage" type:"string"`
// An email address for the person adding or updating the file.
Email *string `locationName:"email" type:"string"`
// The content of the file, in binary object format.
//
// FileContent is automatically base64 encoded/decoded by the SDK.
//
// FileContent is a required field
FileContent []byte `locationName:"fileContent" type:"blob" required:"true"`
// The file mode permissions of the blob. Valid file mode permissions are listed
// below.
FileMode *string `locationName:"fileMode" type:"string" enum:"FileModeTypeEnum"`
// The name of the file you want to add or update, including the relative path
// to the file in the repository.
//
// If the path does not currently exist in the repository, the path will be
// created as part of adding the file.
//
// FilePath is a required field
FilePath *string `locationName:"filePath" type:"string" required:"true"`
// The name of the person adding or updating the file. While optional, adding
// a name is strongly encouraged in order to provide a more useful commit history
// for your repository.
Name *string `locationName:"name" type:"string"`
// The full commit ID of the head commit in the branch where you want to add
// or update the file. If the commit ID does not match the ID of the head commit
// at the time of the operation, an error will occur, and the file will not
// be added or updated.
ParentCommitId *string `locationName:"parentCommitId" type:"string"`
// The name of the repository where you want to add or update the file.
//
// RepositoryName is a required field
RepositoryName *string `locationName:"repositoryName" min:"1" type:"string" required:"true"`
}
// String returns the string representation
func (s PutFileInput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s PutFileInput) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *PutFileInput) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "PutFileInput"}
if s.BranchName == nil {
invalidParams.Add(request.NewErrParamRequired("BranchName"))
}
if s.BranchName != nil && len(*s.BranchName) < 1 {
invalidParams.Add(request.NewErrParamMinLen("BranchName", 1))
}
if s.FileContent == nil {
invalidParams.Add(request.NewErrParamRequired("FileContent"))
}
if s.FilePath == nil {
invalidParams.Add(request.NewErrParamRequired("FilePath"))
}
if s.RepositoryName == nil {
invalidParams.Add(request.NewErrParamRequired("RepositoryName"))
}
if s.RepositoryName != nil && len(*s.RepositoryName) < 1 {
invalidParams.Add(request.NewErrParamMinLen("RepositoryName", 1))
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetBranchName sets the BranchName field's value.
func (s *PutFileInput) SetBranchName(v string) *PutFileInput {
s.BranchName = &v
return s
}
// SetCommitMessage sets the CommitMessage field's value.
func (s *PutFileInput) SetCommitMessage(v string) *PutFileInput {
s.CommitMessage = &v
return s
}
// SetEmail sets the Email field's value.
func (s *PutFileInput) SetEmail(v string) *PutFileInput {
s.Email = &v
return s
}
// SetFileContent sets the FileContent field's value.
func (s *PutFileInput) SetFileContent(v []byte) *PutFileInput {
s.FileContent = v
return s
}
// SetFileMode sets the FileMode field's value.
func (s *PutFileInput) SetFileMode(v string) *PutFileInput {
s.FileMode = &v
return s
}
// SetFilePath sets the FilePath field's value.
func (s *PutFileInput) SetFilePath(v string) *PutFileInput {
s.FilePath = &v
return s
}
// SetName sets the Name field's value.
func (s *PutFileInput) SetName(v string) *PutFileInput {
s.Name = &v
return s
}
// SetParentCommitId sets the ParentCommitId field's value.
func (s *PutFileInput) SetParentCommitId(v string) *PutFileInput {
s.ParentCommitId = &v
return s
}
// SetRepositoryName sets the RepositoryName field's value.
func (s *PutFileInput) SetRepositoryName(v string) *PutFileInput {
s.RepositoryName = &v
return s
}
type PutFileOutput struct {
_ struct{} `type:"structure"`
// The ID of the blob, which is its SHA-1 pointer.
//
// BlobId is a required field
BlobId *string `locationName:"blobId" type:"string" required:"true"`
// The full SHA of the commit that contains this file change.
//
// CommitId is a required field
CommitId *string `locationName:"commitId" type:"string" required:"true"`
// Tree information for the commit that contains this file change.
//
// TreeId is a required field
TreeId *string `locationName:"treeId" type:"string" required:"true"`
}
// String returns the string representation
func (s PutFileOutput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s PutFileOutput) GoString() string {
return s.String()
}
// SetBlobId sets the BlobId field's value.
func (s *PutFileOutput) SetBlobId(v string) *PutFileOutput {
s.BlobId = &v
return s
}
// SetCommitId sets the CommitId field's value.
func (s *PutFileOutput) SetCommitId(v string) *PutFileOutput {
s.CommitId = &v
return s
}
// SetTreeId sets the TreeId field's value.
func (s *PutFileOutput) SetTreeId(v string) *PutFileOutput {
s.TreeId = &v
return s
}
// Represents the input ofa put repository triggers operation. // Represents the input ofa put repository triggers operation.
type PutRepositoryTriggersInput struct { type PutRepositoryTriggersInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -9132,7 +9511,8 @@ func (s UpdateRepositoryNameOutput) GoString() string {
type UserInfo struct { type UserInfo struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The date when the specified commit was pushed to the repository. // The date when the specified commit was commited, in timestamp format with
// GMT offset.
Date *string `locationName:"date" type:"string"` Date *string `locationName:"date" type:"string"`
// The email address associated with the user who made the commit, if any. // The email address associated with the user who made the commit, if any.
@ -9181,6 +9561,17 @@ const (
ChangeTypeEnumD = "D" ChangeTypeEnumD = "D"
) )
const (
// FileModeTypeEnumExecutable is a FileModeTypeEnum enum value
FileModeTypeEnumExecutable = "EXECUTABLE"
// FileModeTypeEnumNormal is a FileModeTypeEnum enum value
FileModeTypeEnumNormal = "NORMAL"
// FileModeTypeEnumSymlink is a FileModeTypeEnum enum value
FileModeTypeEnumSymlink = "SYMLINK"
)
const ( const (
// MergeOptionTypeEnumFastForwardMerge is a MergeOptionTypeEnum enum value // MergeOptionTypeEnumFastForwardMerge is a MergeOptionTypeEnum enum value
MergeOptionTypeEnumFastForwardMerge = "FAST_FORWARD_MERGE" MergeOptionTypeEnumFastForwardMerge = "FAST_FORWARD_MERGE"

View File

@ -43,6 +43,11 @@
// //
// * UpdateDefaultBranch, which changes the default branch for a repository. // * UpdateDefaultBranch, which changes the default branch for a repository.
// //
// Files, by calling the following:
//
// * PutFile, which adds or modifies a file in a specified repository and
// branch.
//
// Information about committed code in a repository, by calling the following: // Information about committed code in a repository, by calling the following:
// //
// * GetBlob, which returns the base-64 encoded content of an individual // * GetBlob, which returns the base-64 encoded content of an individual

View File

@ -47,6 +47,14 @@ const (
// The specified branch name already exists. // The specified branch name already exists.
ErrCodeBranchNameExistsException = "BranchNameExistsException" ErrCodeBranchNameExistsException = "BranchNameExistsException"
// ErrCodeBranchNameIsTagNameException for service response error code
// "BranchNameIsTagNameException".
//
// The specified branch name is not valid because it is a tag name. Type the
// name of a current branch in the repository. For a list of valid branch names,
// use ListBranches.
ErrCodeBranchNameIsTagNameException = "BranchNameIsTagNameException"
// ErrCodeBranchNameRequiredException for service response error code // ErrCodeBranchNameRequiredException for service response error code
// "BranchNameRequiredException". // "BranchNameRequiredException".
// //
@ -122,6 +130,12 @@ const (
// A commit ID was not specified. // A commit ID was not specified.
ErrCodeCommitIdRequiredException = "CommitIdRequiredException" ErrCodeCommitIdRequiredException = "CommitIdRequiredException"
// ErrCodeCommitMessageLengthExceededException for service response error code
// "CommitMessageLengthExceededException".
//
// The commit message is too long. Provide a shorter string.
ErrCodeCommitMessageLengthExceededException = "CommitMessageLengthExceededException"
// ErrCodeCommitRequiredException for service response error code // ErrCodeCommitRequiredException for service response error code
// "CommitRequiredException". // "CommitRequiredException".
// //
@ -136,6 +150,15 @@ const (
// default branch. // default branch.
ErrCodeDefaultBranchCannotBeDeletedException = "DefaultBranchCannotBeDeletedException" ErrCodeDefaultBranchCannotBeDeletedException = "DefaultBranchCannotBeDeletedException"
// ErrCodeDirectoryNameConflictsWithFileNameException for service response error code
// "DirectoryNameConflictsWithFileNameException".
//
// A file cannot be added to the repository because the specified path name
// has the same name as a file that already exists in this repository. Either
// provide a different name for the file, or specify a different path for the
// file.
ErrCodeDirectoryNameConflictsWithFileNameException = "DirectoryNameConflictsWithFileNameException"
// ErrCodeEncryptionIntegrityChecksFailedException for service response error code // ErrCodeEncryptionIntegrityChecksFailedException for service response error code
// "EncryptionIntegrityChecksFailedException". // "EncryptionIntegrityChecksFailedException".
// //
@ -166,6 +189,30 @@ const (
// The encryption key is not available. // The encryption key is not available.
ErrCodeEncryptionKeyUnavailableException = "EncryptionKeyUnavailableException" ErrCodeEncryptionKeyUnavailableException = "EncryptionKeyUnavailableException"
// ErrCodeFileContentRequiredException for service response error code
// "FileContentRequiredException".
//
// The file cannot be added because it is empty. Empty files cannot be added
// to the repository with this API.
ErrCodeFileContentRequiredException = "FileContentRequiredException"
// ErrCodeFileContentSizeLimitExceededException for service response error code
// "FileContentSizeLimitExceededException".
//
// The file cannot be added because it is too large. The maximum file size that
// can be added using PutFile is 6 MB. For files larger than 6 MB but smaller
// than 2 GB, add them using a Git client.
ErrCodeFileContentSizeLimitExceededException = "FileContentSizeLimitExceededException"
// ErrCodeFileNameConflictsWithDirectoryNameException for service response error code
// "FileNameConflictsWithDirectoryNameException".
//
// A file cannot be added to the repository because the specified file name
// has the same name as a directory in this repository. Either provide another
// name for the file, or add the file in a directory that does not match the
// file name.
ErrCodeFileNameConflictsWithDirectoryNameException = "FileNameConflictsWithDirectoryNameException"
// ErrCodeFileTooLargeException for service response error code // ErrCodeFileTooLargeException for service response error code
// "FileTooLargeException". // "FileTooLargeException".
// //
@ -253,6 +300,14 @@ const (
// name, tag, or full commit ID. // name, tag, or full commit ID.
ErrCodeInvalidDestinationCommitSpecifierException = "InvalidDestinationCommitSpecifierException" ErrCodeInvalidDestinationCommitSpecifierException = "InvalidDestinationCommitSpecifierException"
// ErrCodeInvalidEmailException for service response error code
// "InvalidEmailException".
//
// The specified email address either contains one or more characters that are
// not allowed, or it exceeds the maximum number of characters allowed for an
// email address.
ErrCodeInvalidEmailException = "InvalidEmailException"
// ErrCodeInvalidFileLocationException for service response error code // ErrCodeInvalidFileLocationException for service response error code
// "InvalidFileLocationException". // "InvalidFileLocationException".
// //
@ -260,6 +315,13 @@ const (
// of the file as well as the file name. // of the file as well as the file name.
ErrCodeInvalidFileLocationException = "InvalidFileLocationException" ErrCodeInvalidFileLocationException = "InvalidFileLocationException"
// ErrCodeInvalidFileModeException for service response error code
// "InvalidFileModeException".
//
// The specified file mode permission is not valid. For a list of valid file
// mode permissions, see PutFile.
ErrCodeInvalidFileModeException = "InvalidFileModeException"
// ErrCodeInvalidFilePositionException for service response error code // ErrCodeInvalidFilePositionException for service response error code
// "InvalidFilePositionException". // "InvalidFilePositionException".
// //
@ -285,6 +347,14 @@ const (
// The specified sort order is not valid. // The specified sort order is not valid.
ErrCodeInvalidOrderException = "InvalidOrderException" ErrCodeInvalidOrderException = "InvalidOrderException"
// ErrCodeInvalidParentCommitIdException for service response error code
// "InvalidParentCommitIdException".
//
// The parent commit ID is not valid. The commit ID cannot be empty, and must
// match the head commit ID for the branch of the repository where you want
// to add or update a file.
ErrCodeInvalidParentCommitIdException = "InvalidParentCommitIdException"
// ErrCodeInvalidPathException for service response error code // ErrCodeInvalidPathException for service response error code
// "InvalidPathException". // "InvalidPathException".
// //
@ -476,6 +546,37 @@ const (
// again. // again.
ErrCodeMultipleRepositoriesInPullRequestException = "MultipleRepositoriesInPullRequestException" ErrCodeMultipleRepositoriesInPullRequestException = "MultipleRepositoriesInPullRequestException"
// ErrCodeNameLengthExceededException for service response error code
// "NameLengthExceededException".
//
// The file name is not valid because it has exceeded the character limit for
// file names. File names, including the path to the file, cannot exceed the
// character limit.
ErrCodeNameLengthExceededException = "NameLengthExceededException"
// ErrCodeParentCommitDoesNotExistException for service response error code
// "ParentCommitDoesNotExistException".
//
// The parent commit ID is not valid. The specified parent commit ID does not
// exist in the specified branch of the repository.
ErrCodeParentCommitDoesNotExistException = "ParentCommitDoesNotExistException"
// ErrCodeParentCommitIdOutdatedException for service response error code
// "ParentCommitIdOutdatedException".
//
// The file could not be added because the provided parent commit ID is not
// the current tip of the specified branch. To view the full commit ID of the
// current head of the branch, use GetBranch.
ErrCodeParentCommitIdOutdatedException = "ParentCommitIdOutdatedException"
// ErrCodeParentCommitIdRequiredException for service response error code
// "ParentCommitIdRequiredException".
//
// A parent commit ID is required. To view the full commit ID of a branch in
// a repository, use GetBranch or a Git command (for example, git pull or git
// log).
ErrCodeParentCommitIdRequiredException = "ParentCommitIdRequiredException"
// ErrCodePathDoesNotExistException for service response error code // ErrCodePathDoesNotExistException for service response error code
// "PathDoesNotExistException". // "PathDoesNotExistException".
// //
@ -601,6 +702,14 @@ const (
// The list of triggers for the repository is required but was not specified. // The list of triggers for the repository is required but was not specified.
ErrCodeRepositoryTriggersListRequiredException = "RepositoryTriggersListRequiredException" ErrCodeRepositoryTriggersListRequiredException = "RepositoryTriggersListRequiredException"
// ErrCodeSameFileContentException for service response error code
// "SameFileContentException".
//
// The file was not added or updated because the content of the file is exactly
// the same as the content of that file in the repository and branch that you
// specified.
ErrCodeSameFileContentException = "SameFileContentException"
// ErrCodeSourceAndDestinationAreSameException for service response error code // ErrCodeSourceAndDestinationAreSameException for service response error code
// "SourceAndDestinationAreSameException". // "SourceAndDestinationAreSameException".
// //

View File

@ -16,7 +16,7 @@ const opAddTagsToOnPremisesInstances = "AddTagsToOnPremisesInstances"
// AddTagsToOnPremisesInstancesRequest generates a "aws/request.Request" representing the // AddTagsToOnPremisesInstancesRequest generates a "aws/request.Request" representing the
// client's request for the AddTagsToOnPremisesInstances operation. The "output" return // client's request for the AddTagsToOnPremisesInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -116,7 +116,7 @@ const opBatchGetApplicationRevisions = "BatchGetApplicationRevisions"
// BatchGetApplicationRevisionsRequest generates a "aws/request.Request" representing the // BatchGetApplicationRevisionsRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetApplicationRevisions operation. The "output" return // client's request for the BatchGetApplicationRevisions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -210,7 +210,7 @@ const opBatchGetApplications = "BatchGetApplications"
// BatchGetApplicationsRequest generates a "aws/request.Request" representing the // BatchGetApplicationsRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetApplications operation. The "output" return // client's request for the BatchGetApplications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -298,7 +298,7 @@ const opBatchGetDeploymentGroups = "BatchGetDeploymentGroups"
// BatchGetDeploymentGroupsRequest generates a "aws/request.Request" representing the // BatchGetDeploymentGroupsRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetDeploymentGroups operation. The "output" return // client's request for the BatchGetDeploymentGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -392,7 +392,7 @@ const opBatchGetDeploymentInstances = "BatchGetDeploymentInstances"
// BatchGetDeploymentInstancesRequest generates a "aws/request.Request" representing the // BatchGetDeploymentInstancesRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetDeploymentInstances operation. The "output" return // client's request for the BatchGetDeploymentInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -487,7 +487,7 @@ const opBatchGetDeployments = "BatchGetDeployments"
// BatchGetDeploymentsRequest generates a "aws/request.Request" representing the // BatchGetDeploymentsRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetDeployments operation. The "output" return // client's request for the BatchGetDeployments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -572,7 +572,7 @@ const opBatchGetOnPremisesInstances = "BatchGetOnPremisesInstances"
// BatchGetOnPremisesInstancesRequest generates a "aws/request.Request" representing the // BatchGetOnPremisesInstancesRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetOnPremisesInstances operation. The "output" return // client's request for the BatchGetOnPremisesInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -657,7 +657,7 @@ const opContinueDeployment = "ContinueDeployment"
// ContinueDeploymentRequest generates a "aws/request.Request" representing the // ContinueDeploymentRequest generates a "aws/request.Request" representing the
// client's request for the ContinueDeployment operation. The "output" return // client's request for the ContinueDeployment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -758,7 +758,7 @@ const opCreateApplication = "CreateApplication"
// CreateApplicationRequest generates a "aws/request.Request" representing the // CreateApplicationRequest generates a "aws/request.Request" representing the
// client's request for the CreateApplication operation. The "output" return // client's request for the CreateApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -850,7 +850,7 @@ const opCreateDeployment = "CreateDeployment"
// CreateDeploymentRequest generates a "aws/request.Request" representing the // CreateDeploymentRequest generates a "aws/request.Request" representing the
// client's request for the CreateDeployment operation. The "output" return // client's request for the CreateDeployment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1012,7 +1012,7 @@ const opCreateDeploymentConfig = "CreateDeploymentConfig"
// CreateDeploymentConfigRequest generates a "aws/request.Request" representing the // CreateDeploymentConfigRequest generates a "aws/request.Request" representing the
// client's request for the CreateDeploymentConfig operation. The "output" return // client's request for the CreateDeploymentConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1111,7 +1111,7 @@ const opCreateDeploymentGroup = "CreateDeploymentGroup"
// CreateDeploymentGroupRequest generates a "aws/request.Request" representing the // CreateDeploymentGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateDeploymentGroup operation. The "output" return // client's request for the CreateDeploymentGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1291,7 +1291,7 @@ const opDeleteApplication = "DeleteApplication"
// DeleteApplicationRequest generates a "aws/request.Request" representing the // DeleteApplicationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteApplication operation. The "output" return // client's request for the DeleteApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1375,7 +1375,7 @@ const opDeleteDeploymentConfig = "DeleteDeploymentConfig"
// DeleteDeploymentConfigRequest generates a "aws/request.Request" representing the // DeleteDeploymentConfigRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDeploymentConfig operation. The "output" return // client's request for the DeleteDeploymentConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1468,7 +1468,7 @@ const opDeleteDeploymentGroup = "DeleteDeploymentGroup"
// DeleteDeploymentGroupRequest generates a "aws/request.Request" representing the // DeleteDeploymentGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDeploymentGroup operation. The "output" return // client's request for the DeleteDeploymentGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1561,7 +1561,7 @@ const opDeleteGitHubAccountToken = "DeleteGitHubAccountToken"
// DeleteGitHubAccountTokenRequest generates a "aws/request.Request" representing the // DeleteGitHubAccountTokenRequest generates a "aws/request.Request" representing the
// client's request for the DeleteGitHubAccountToken operation. The "output" return // client's request for the DeleteGitHubAccountToken operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1652,7 +1652,7 @@ const opDeregisterOnPremisesInstance = "DeregisterOnPremisesInstance"
// DeregisterOnPremisesInstanceRequest generates a "aws/request.Request" representing the // DeregisterOnPremisesInstanceRequest generates a "aws/request.Request" representing the
// client's request for the DeregisterOnPremisesInstance operation. The "output" return // client's request for the DeregisterOnPremisesInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1736,7 +1736,7 @@ const opGetApplication = "GetApplication"
// GetApplicationRequest generates a "aws/request.Request" representing the // GetApplicationRequest generates a "aws/request.Request" representing the
// client's request for the GetApplication operation. The "output" return // client's request for the GetApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1821,7 +1821,7 @@ const opGetApplicationRevision = "GetApplicationRevision"
// GetApplicationRevisionRequest generates a "aws/request.Request" representing the // GetApplicationRevisionRequest generates a "aws/request.Request" representing the
// client's request for the GetApplicationRevision operation. The "output" return // client's request for the GetApplicationRevision operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1915,7 +1915,7 @@ const opGetDeployment = "GetDeployment"
// GetDeploymentRequest generates a "aws/request.Request" representing the // GetDeploymentRequest generates a "aws/request.Request" representing the
// client's request for the GetDeployment operation. The "output" return // client's request for the GetDeployment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2000,7 +2000,7 @@ const opGetDeploymentConfig = "GetDeploymentConfig"
// GetDeploymentConfigRequest generates a "aws/request.Request" representing the // GetDeploymentConfigRequest generates a "aws/request.Request" representing the
// client's request for the GetDeploymentConfig operation. The "output" return // client's request for the GetDeploymentConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2086,7 +2086,7 @@ const opGetDeploymentGroup = "GetDeploymentGroup"
// GetDeploymentGroupRequest generates a "aws/request.Request" representing the // GetDeploymentGroupRequest generates a "aws/request.Request" representing the
// client's request for the GetDeploymentGroup operation. The "output" return // client's request for the GetDeploymentGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2181,7 +2181,7 @@ const opGetDeploymentInstance = "GetDeploymentInstance"
// GetDeploymentInstanceRequest generates a "aws/request.Request" representing the // GetDeploymentInstanceRequest generates a "aws/request.Request" representing the
// client's request for the GetDeploymentInstance operation. The "output" return // client's request for the GetDeploymentInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2275,7 +2275,7 @@ const opGetOnPremisesInstance = "GetOnPremisesInstance"
// GetOnPremisesInstanceRequest generates a "aws/request.Request" representing the // GetOnPremisesInstanceRequest generates a "aws/request.Request" representing the
// client's request for the GetOnPremisesInstance operation. The "output" return // client's request for the GetOnPremisesInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2360,7 +2360,7 @@ const opListApplicationRevisions = "ListApplicationRevisions"
// ListApplicationRevisionsRequest generates a "aws/request.Request" representing the // ListApplicationRevisionsRequest generates a "aws/request.Request" representing the
// client's request for the ListApplicationRevisions operation. The "output" return // client's request for the ListApplicationRevisions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2523,7 +2523,7 @@ const opListApplications = "ListApplications"
// ListApplicationsRequest generates a "aws/request.Request" representing the // ListApplicationsRequest generates a "aws/request.Request" representing the
// client's request for the ListApplications operation. The "output" return // client's request for the ListApplications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2658,7 +2658,7 @@ const opListDeploymentConfigs = "ListDeploymentConfigs"
// ListDeploymentConfigsRequest generates a "aws/request.Request" representing the // ListDeploymentConfigsRequest generates a "aws/request.Request" representing the
// client's request for the ListDeploymentConfigs operation. The "output" return // client's request for the ListDeploymentConfigs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2793,7 +2793,7 @@ const opListDeploymentGroups = "ListDeploymentGroups"
// ListDeploymentGroupsRequest generates a "aws/request.Request" representing the // ListDeploymentGroupsRequest generates a "aws/request.Request" representing the
// client's request for the ListDeploymentGroups operation. The "output" return // client's request for the ListDeploymentGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2938,7 +2938,7 @@ const opListDeploymentInstances = "ListDeploymentInstances"
// ListDeploymentInstancesRequest generates a "aws/request.Request" representing the // ListDeploymentInstancesRequest generates a "aws/request.Request" representing the
// client's request for the ListDeploymentInstances operation. The "output" return // client's request for the ListDeploymentInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3098,7 +3098,7 @@ const opListDeployments = "ListDeployments"
// ListDeploymentsRequest generates a "aws/request.Request" representing the // ListDeploymentsRequest generates a "aws/request.Request" representing the
// client's request for the ListDeployments operation. The "output" return // client's request for the ListDeployments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3259,7 +3259,7 @@ const opListGitHubAccountTokenNames = "ListGitHubAccountTokenNames"
// ListGitHubAccountTokenNamesRequest generates a "aws/request.Request" representing the // ListGitHubAccountTokenNamesRequest generates a "aws/request.Request" representing the
// client's request for the ListGitHubAccountTokenNames operation. The "output" return // client's request for the ListGitHubAccountTokenNames operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3344,7 +3344,7 @@ const opListOnPremisesInstances = "ListOnPremisesInstances"
// ListOnPremisesInstancesRequest generates a "aws/request.Request" representing the // ListOnPremisesInstancesRequest generates a "aws/request.Request" representing the
// client's request for the ListOnPremisesInstances operation. The "output" return // client's request for the ListOnPremisesInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3433,7 +3433,7 @@ const opPutLifecycleEventHookExecutionStatus = "PutLifecycleEventHookExecutionSt
// PutLifecycleEventHookExecutionStatusRequest generates a "aws/request.Request" representing the // PutLifecycleEventHookExecutionStatusRequest generates a "aws/request.Request" representing the
// client's request for the PutLifecycleEventHookExecutionStatus operation. The "output" return // client's request for the PutLifecycleEventHookExecutionStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3534,7 +3534,7 @@ const opRegisterApplicationRevision = "RegisterApplicationRevision"
// RegisterApplicationRevisionRequest generates a "aws/request.Request" representing the // RegisterApplicationRevisionRequest generates a "aws/request.Request" representing the
// client's request for the RegisterApplicationRevision operation. The "output" return // client's request for the RegisterApplicationRevision operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3630,7 +3630,7 @@ const opRegisterOnPremisesInstance = "RegisterOnPremisesInstance"
// RegisterOnPremisesInstanceRequest generates a "aws/request.Request" representing the // RegisterOnPremisesInstanceRequest generates a "aws/request.Request" representing the
// client's request for the RegisterOnPremisesInstance operation. The "output" return // client's request for the RegisterOnPremisesInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3744,7 +3744,7 @@ const opRemoveTagsFromOnPremisesInstances = "RemoveTagsFromOnPremisesInstances"
// RemoveTagsFromOnPremisesInstancesRequest generates a "aws/request.Request" representing the // RemoveTagsFromOnPremisesInstancesRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTagsFromOnPremisesInstances operation. The "output" return // client's request for the RemoveTagsFromOnPremisesInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3844,7 +3844,7 @@ const opSkipWaitTimeForInstanceTermination = "SkipWaitTimeForInstanceTermination
// SkipWaitTimeForInstanceTerminationRequest generates a "aws/request.Request" representing the // SkipWaitTimeForInstanceTerminationRequest generates a "aws/request.Request" representing the
// client's request for the SkipWaitTimeForInstanceTermination operation. The "output" return // client's request for the SkipWaitTimeForInstanceTermination operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3941,7 +3941,7 @@ const opStopDeployment = "StopDeployment"
// StopDeploymentRequest generates a "aws/request.Request" representing the // StopDeploymentRequest generates a "aws/request.Request" representing the
// client's request for the StopDeployment operation. The "output" return // client's request for the StopDeployment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4029,7 +4029,7 @@ const opUpdateApplication = "UpdateApplication"
// UpdateApplicationRequest generates a "aws/request.Request" representing the // UpdateApplicationRequest generates a "aws/request.Request" representing the
// client's request for the UpdateApplication operation. The "output" return // client's request for the UpdateApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4120,7 +4120,7 @@ const opUpdateDeploymentGroup = "UpdateDeploymentGroup"
// UpdateDeploymentGroupRequest generates a "aws/request.Request" representing the // UpdateDeploymentGroupRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDeploymentGroup operation. The "output" return // client's request for the UpdateDeploymentGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opAcknowledgeJob = "AcknowledgeJob"
// AcknowledgeJobRequest generates a "aws/request.Request" representing the // AcknowledgeJobRequest generates a "aws/request.Request" representing the
// client's request for the AcknowledgeJob operation. The "output" return // client's request for the AcknowledgeJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -103,7 +103,7 @@ const opAcknowledgeThirdPartyJob = "AcknowledgeThirdPartyJob"
// AcknowledgeThirdPartyJobRequest generates a "aws/request.Request" representing the // AcknowledgeThirdPartyJobRequest generates a "aws/request.Request" representing the
// client's request for the AcknowledgeThirdPartyJob operation. The "output" return // client's request for the AcknowledgeThirdPartyJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -192,7 +192,7 @@ const opCreateCustomActionType = "CreateCustomActionType"
// CreateCustomActionTypeRequest generates a "aws/request.Request" representing the // CreateCustomActionTypeRequest generates a "aws/request.Request" representing the
// client's request for the CreateCustomActionType operation. The "output" return // client's request for the CreateCustomActionType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -276,7 +276,7 @@ const opCreatePipeline = "CreatePipeline"
// CreatePipelineRequest generates a "aws/request.Request" representing the // CreatePipelineRequest generates a "aws/request.Request" representing the
// client's request for the CreatePipeline operation. The "output" return // client's request for the CreatePipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -374,7 +374,7 @@ const opDeleteCustomActionType = "DeleteCustomActionType"
// DeleteCustomActionTypeRequest generates a "aws/request.Request" representing the // DeleteCustomActionTypeRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCustomActionType operation. The "output" return // client's request for the DeleteCustomActionType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -459,7 +459,7 @@ const opDeletePipeline = "DeletePipeline"
// DeletePipelineRequest generates a "aws/request.Request" representing the // DeletePipelineRequest generates a "aws/request.Request" representing the
// client's request for the DeletePipeline operation. The "output" return // client's request for the DeletePipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -540,7 +540,7 @@ const opDisableStageTransition = "DisableStageTransition"
// DisableStageTransitionRequest generates a "aws/request.Request" representing the // DisableStageTransitionRequest generates a "aws/request.Request" representing the
// client's request for the DisableStageTransition operation. The "output" return // client's request for the DisableStageTransition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -628,7 +628,7 @@ const opEnableStageTransition = "EnableStageTransition"
// EnableStageTransitionRequest generates a "aws/request.Request" representing the // EnableStageTransitionRequest generates a "aws/request.Request" representing the
// client's request for the EnableStageTransition operation. The "output" return // client's request for the EnableStageTransition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -715,7 +715,7 @@ const opGetJobDetails = "GetJobDetails"
// GetJobDetailsRequest generates a "aws/request.Request" representing the // GetJobDetailsRequest generates a "aws/request.Request" representing the
// client's request for the GetJobDetails operation. The "output" return // client's request for the GetJobDetails operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -802,7 +802,7 @@ const opGetPipeline = "GetPipeline"
// GetPipelineRequest generates a "aws/request.Request" representing the // GetPipelineRequest generates a "aws/request.Request" representing the
// client's request for the GetPipeline operation. The "output" return // client's request for the GetPipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -890,7 +890,7 @@ const opGetPipelineExecution = "GetPipelineExecution"
// GetPipelineExecutionRequest generates a "aws/request.Request" representing the // GetPipelineExecutionRequest generates a "aws/request.Request" representing the
// client's request for the GetPipelineExecution operation. The "output" return // client's request for the GetPipelineExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -978,7 +978,7 @@ const opGetPipelineState = "GetPipelineState"
// GetPipelineStateRequest generates a "aws/request.Request" representing the // GetPipelineStateRequest generates a "aws/request.Request" representing the
// client's request for the GetPipelineState operation. The "output" return // client's request for the GetPipelineState operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1061,7 +1061,7 @@ const opGetThirdPartyJobDetails = "GetThirdPartyJobDetails"
// GetThirdPartyJobDetailsRequest generates a "aws/request.Request" representing the // GetThirdPartyJobDetailsRequest generates a "aws/request.Request" representing the
// client's request for the GetThirdPartyJobDetails operation. The "output" return // client's request for the GetThirdPartyJobDetails operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1155,7 +1155,7 @@ const opListActionTypes = "ListActionTypes"
// ListActionTypesRequest generates a "aws/request.Request" representing the // ListActionTypesRequest generates a "aws/request.Request" representing the
// client's request for the ListActionTypes operation. The "output" return // client's request for the ListActionTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1239,7 +1239,7 @@ const opListPipelineExecutions = "ListPipelineExecutions"
// ListPipelineExecutionsRequest generates a "aws/request.Request" representing the // ListPipelineExecutionsRequest generates a "aws/request.Request" representing the
// client's request for the ListPipelineExecutions operation. The "output" return // client's request for the ListPipelineExecutions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1325,7 +1325,7 @@ const opListPipelines = "ListPipelines"
// ListPipelinesRequest generates a "aws/request.Request" representing the // ListPipelinesRequest generates a "aws/request.Request" representing the
// client's request for the ListPipelines operation. The "output" return // client's request for the ListPipelines operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1405,7 +1405,7 @@ const opPollForJobs = "PollForJobs"
// PollForJobsRequest generates a "aws/request.Request" representing the // PollForJobsRequest generates a "aws/request.Request" representing the
// client's request for the PollForJobs operation. The "output" return // client's request for the PollForJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1492,7 +1492,7 @@ const opPollForThirdPartyJobs = "PollForThirdPartyJobs"
// PollForThirdPartyJobsRequest generates a "aws/request.Request" representing the // PollForThirdPartyJobsRequest generates a "aws/request.Request" representing the
// client's request for the PollForThirdPartyJobs operation. The "output" return // client's request for the PollForThirdPartyJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1579,7 +1579,7 @@ const opPutActionRevision = "PutActionRevision"
// PutActionRevisionRequest generates a "aws/request.Request" representing the // PutActionRevisionRequest generates a "aws/request.Request" representing the
// client's request for the PutActionRevision operation. The "output" return // client's request for the PutActionRevision operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1667,7 +1667,7 @@ const opPutApprovalResult = "PutApprovalResult"
// PutApprovalResultRequest generates a "aws/request.Request" representing the // PutApprovalResultRequest generates a "aws/request.Request" representing the
// client's request for the PutApprovalResult operation. The "output" return // client's request for the PutApprovalResult operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1762,7 +1762,7 @@ const opPutJobFailureResult = "PutJobFailureResult"
// PutJobFailureResultRequest generates a "aws/request.Request" representing the // PutJobFailureResultRequest generates a "aws/request.Request" representing the
// client's request for the PutJobFailureResult operation. The "output" return // client's request for the PutJobFailureResult operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1850,7 +1850,7 @@ const opPutJobSuccessResult = "PutJobSuccessResult"
// PutJobSuccessResultRequest generates a "aws/request.Request" representing the // PutJobSuccessResultRequest generates a "aws/request.Request" representing the
// client's request for the PutJobSuccessResult operation. The "output" return // client's request for the PutJobSuccessResult operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1938,7 +1938,7 @@ const opPutThirdPartyJobFailureResult = "PutThirdPartyJobFailureResult"
// PutThirdPartyJobFailureResultRequest generates a "aws/request.Request" representing the // PutThirdPartyJobFailureResultRequest generates a "aws/request.Request" representing the
// client's request for the PutThirdPartyJobFailureResult operation. The "output" return // client's request for the PutThirdPartyJobFailureResult operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2029,7 +2029,7 @@ const opPutThirdPartyJobSuccessResult = "PutThirdPartyJobSuccessResult"
// PutThirdPartyJobSuccessResultRequest generates a "aws/request.Request" representing the // PutThirdPartyJobSuccessResultRequest generates a "aws/request.Request" representing the
// client's request for the PutThirdPartyJobSuccessResult operation. The "output" return // client's request for the PutThirdPartyJobSuccessResult operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2120,7 +2120,7 @@ const opRetryStageExecution = "RetryStageExecution"
// RetryStageExecutionRequest generates a "aws/request.Request" representing the // RetryStageExecutionRequest generates a "aws/request.Request" representing the
// client's request for the RetryStageExecution operation. The "output" return // client's request for the RetryStageExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2215,7 +2215,7 @@ const opStartPipelineExecution = "StartPipelineExecution"
// StartPipelineExecutionRequest generates a "aws/request.Request" representing the // StartPipelineExecutionRequest generates a "aws/request.Request" representing the
// client's request for the StartPipelineExecution operation. The "output" return // client's request for the StartPipelineExecution operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2298,7 +2298,7 @@ const opUpdatePipeline = "UpdatePipeline"
// UpdatePipelineRequest generates a "aws/request.Request" representing the // UpdatePipelineRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePipeline operation. The "output" return // client's request for the UpdatePipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opCreateIdentityPool = "CreateIdentityPool"
// CreateIdentityPoolRequest generates a "aws/request.Request" representing the // CreateIdentityPoolRequest generates a "aws/request.Request" representing the
// client's request for the CreateIdentityPool operation. The "output" return // client's request for the CreateIdentityPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -126,7 +126,7 @@ const opDeleteIdentities = "DeleteIdentities"
// DeleteIdentitiesRequest generates a "aws/request.Request" representing the // DeleteIdentitiesRequest generates a "aws/request.Request" representing the
// client's request for the DeleteIdentities operation. The "output" return // client's request for the DeleteIdentities operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -214,7 +214,7 @@ const opDeleteIdentityPool = "DeleteIdentityPool"
// DeleteIdentityPoolRequest generates a "aws/request.Request" representing the // DeleteIdentityPoolRequest generates a "aws/request.Request" representing the
// client's request for the DeleteIdentityPool operation. The "output" return // client's request for the DeleteIdentityPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -311,7 +311,7 @@ const opDescribeIdentity = "DescribeIdentity"
// DescribeIdentityRequest generates a "aws/request.Request" representing the // DescribeIdentityRequest generates a "aws/request.Request" representing the
// client's request for the DescribeIdentity operation. The "output" return // client's request for the DescribeIdentity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -406,7 +406,7 @@ const opDescribeIdentityPool = "DescribeIdentityPool"
// DescribeIdentityPoolRequest generates a "aws/request.Request" representing the // DescribeIdentityPoolRequest generates a "aws/request.Request" representing the
// client's request for the DescribeIdentityPool operation. The "output" return // client's request for the DescribeIdentityPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -501,7 +501,7 @@ const opGetCredentialsForIdentity = "GetCredentialsForIdentity"
// GetCredentialsForIdentityRequest generates a "aws/request.Request" representing the // GetCredentialsForIdentityRequest generates a "aws/request.Request" representing the
// client's request for the GetCredentialsForIdentity operation. The "output" return // client's request for the GetCredentialsForIdentity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -610,7 +610,7 @@ const opGetId = "GetId"
// GetIdRequest generates a "aws/request.Request" representing the // GetIdRequest generates a "aws/request.Request" representing the
// client's request for the GetId operation. The "output" return // client's request for the GetId operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -716,7 +716,7 @@ const opGetIdentityPoolRoles = "GetIdentityPoolRoles"
// GetIdentityPoolRolesRequest generates a "aws/request.Request" representing the // GetIdentityPoolRolesRequest generates a "aws/request.Request" representing the
// client's request for the GetIdentityPoolRoles operation. The "output" return // client's request for the GetIdentityPoolRoles operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -814,7 +814,7 @@ const opGetOpenIdToken = "GetOpenIdToken"
// GetOpenIdTokenRequest generates a "aws/request.Request" representing the // GetOpenIdTokenRequest generates a "aws/request.Request" representing the
// client's request for the GetOpenIdToken operation. The "output" return // client's request for the GetOpenIdToken operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -920,7 +920,7 @@ const opGetOpenIdTokenForDeveloperIdentity = "GetOpenIdTokenForDeveloperIdentity
// GetOpenIdTokenForDeveloperIdentityRequest generates a "aws/request.Request" representing the // GetOpenIdTokenForDeveloperIdentityRequest generates a "aws/request.Request" representing the
// client's request for the GetOpenIdTokenForDeveloperIdentity operation. The "output" return // client's request for the GetOpenIdTokenForDeveloperIdentity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1035,7 +1035,7 @@ const opListIdentities = "ListIdentities"
// ListIdentitiesRequest generates a "aws/request.Request" representing the // ListIdentitiesRequest generates a "aws/request.Request" representing the
// client's request for the ListIdentities operation. The "output" return // client's request for the ListIdentities operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1129,7 +1129,7 @@ const opListIdentityPools = "ListIdentityPools"
// ListIdentityPoolsRequest generates a "aws/request.Request" representing the // ListIdentityPoolsRequest generates a "aws/request.Request" representing the
// client's request for the ListIdentityPools operation. The "output" return // client's request for the ListIdentityPools operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1219,7 +1219,7 @@ const opLookupDeveloperIdentity = "LookupDeveloperIdentity"
// LookupDeveloperIdentityRequest generates a "aws/request.Request" representing the // LookupDeveloperIdentityRequest generates a "aws/request.Request" representing the
// client's request for the LookupDeveloperIdentity operation. The "output" return // client's request for the LookupDeveloperIdentity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1324,7 +1324,7 @@ const opMergeDeveloperIdentities = "MergeDeveloperIdentities"
// MergeDeveloperIdentitiesRequest generates a "aws/request.Request" representing the // MergeDeveloperIdentitiesRequest generates a "aws/request.Request" representing the
// client's request for the MergeDeveloperIdentities operation. The "output" return // client's request for the MergeDeveloperIdentities operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1428,7 +1428,7 @@ const opSetIdentityPoolRoles = "SetIdentityPoolRoles"
// SetIdentityPoolRolesRequest generates a "aws/request.Request" representing the // SetIdentityPoolRolesRequest generates a "aws/request.Request" representing the
// client's request for the SetIdentityPoolRoles operation. The "output" return // client's request for the SetIdentityPoolRoles operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1532,7 +1532,7 @@ const opUnlinkDeveloperIdentity = "UnlinkDeveloperIdentity"
// UnlinkDeveloperIdentityRequest generates a "aws/request.Request" representing the // UnlinkDeveloperIdentityRequest generates a "aws/request.Request" representing the
// client's request for the UnlinkDeveloperIdentity operation. The "output" return // client's request for the UnlinkDeveloperIdentity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1635,7 +1635,7 @@ const opUnlinkIdentity = "UnlinkIdentity"
// UnlinkIdentityRequest generates a "aws/request.Request" representing the // UnlinkIdentityRequest generates a "aws/request.Request" representing the
// client's request for the UnlinkIdentity operation. The "output" return // client's request for the UnlinkIdentity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1741,7 +1741,7 @@ const opUpdateIdentityPool = "UpdateIdentityPool"
// UpdateIdentityPoolRequest generates a "aws/request.Request" representing the // UpdateIdentityPoolRequest generates a "aws/request.Request" representing the
// client's request for the UpdateIdentityPool operation. The "output" return // client's request for the UpdateIdentityPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -18,7 +18,7 @@ const opAddCustomAttributes = "AddCustomAttributes"
// AddCustomAttributesRequest generates a "aws/request.Request" representing the // AddCustomAttributesRequest generates a "aws/request.Request" representing the
// client's request for the AddCustomAttributes operation. The "output" return // client's request for the AddCustomAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -116,7 +116,7 @@ const opAdminAddUserToGroup = "AdminAddUserToGroup"
// AdminAddUserToGroupRequest generates a "aws/request.Request" representing the // AdminAddUserToGroupRequest generates a "aws/request.Request" representing the
// client's request for the AdminAddUserToGroup operation. The "output" return // client's request for the AdminAddUserToGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -217,7 +217,7 @@ const opAdminConfirmSignUp = "AdminConfirmSignUp"
// AdminConfirmSignUpRequest generates a "aws/request.Request" representing the // AdminConfirmSignUpRequest generates a "aws/request.Request" representing the
// client's request for the AdminConfirmSignUp operation. The "output" return // client's request for the AdminConfirmSignUp operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -337,7 +337,7 @@ const opAdminCreateUser = "AdminCreateUser"
// AdminCreateUserRequest generates a "aws/request.Request" representing the // AdminCreateUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminCreateUser operation. The "output" return // client's request for the AdminCreateUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -488,7 +488,7 @@ const opAdminDeleteUser = "AdminDeleteUser"
// AdminDeleteUserRequest generates a "aws/request.Request" representing the // AdminDeleteUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminDeleteUser operation. The "output" return // client's request for the AdminDeleteUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -589,7 +589,7 @@ const opAdminDeleteUserAttributes = "AdminDeleteUserAttributes"
// AdminDeleteUserAttributesRequest generates a "aws/request.Request" representing the // AdminDeleteUserAttributesRequest generates a "aws/request.Request" representing the
// client's request for the AdminDeleteUserAttributes operation. The "output" return // client's request for the AdminDeleteUserAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -689,7 +689,7 @@ const opAdminDisableProviderForUser = "AdminDisableProviderForUser"
// AdminDisableProviderForUserRequest generates a "aws/request.Request" representing the // AdminDisableProviderForUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminDisableProviderForUser operation. The "output" return // client's request for the AdminDisableProviderForUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -820,7 +820,7 @@ const opAdminDisableUser = "AdminDisableUser"
// AdminDisableUserRequest generates a "aws/request.Request" representing the // AdminDisableUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminDisableUser operation. The "output" return // client's request for the AdminDisableUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -919,7 +919,7 @@ const opAdminEnableUser = "AdminEnableUser"
// AdminEnableUserRequest generates a "aws/request.Request" representing the // AdminEnableUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminEnableUser operation. The "output" return // client's request for the AdminEnableUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1018,7 +1018,7 @@ const opAdminForgetDevice = "AdminForgetDevice"
// AdminForgetDeviceRequest generates a "aws/request.Request" representing the // AdminForgetDeviceRequest generates a "aws/request.Request" representing the
// client's request for the AdminForgetDevice operation. The "output" return // client's request for the AdminForgetDevice operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1122,7 +1122,7 @@ const opAdminGetDevice = "AdminGetDevice"
// AdminGetDeviceRequest generates a "aws/request.Request" representing the // AdminGetDeviceRequest generates a "aws/request.Request" representing the
// client's request for the AdminGetDevice operation. The "output" return // client's request for the AdminGetDevice operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1221,7 +1221,7 @@ const opAdminGetUser = "AdminGetUser"
// AdminGetUserRequest generates a "aws/request.Request" representing the // AdminGetUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminGetUser operation. The "output" return // client's request for the AdminGetUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1321,7 +1321,7 @@ const opAdminInitiateAuth = "AdminInitiateAuth"
// AdminInitiateAuthRequest generates a "aws/request.Request" representing the // AdminInitiateAuthRequest generates a "aws/request.Request" representing the
// client's request for the AdminInitiateAuth operation. The "output" return // client's request for the AdminInitiateAuth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1455,7 +1455,7 @@ const opAdminLinkProviderForUser = "AdminLinkProviderForUser"
// AdminLinkProviderForUserRequest generates a "aws/request.Request" representing the // AdminLinkProviderForUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminLinkProviderForUser operation. The "output" return // client's request for the AdminLinkProviderForUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1576,7 +1576,7 @@ const opAdminListDevices = "AdminListDevices"
// AdminListDevicesRequest generates a "aws/request.Request" representing the // AdminListDevicesRequest generates a "aws/request.Request" representing the
// client's request for the AdminListDevices operation. The "output" return // client's request for the AdminListDevices operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1675,7 +1675,7 @@ const opAdminListGroupsForUser = "AdminListGroupsForUser"
// AdminListGroupsForUserRequest generates a "aws/request.Request" representing the // AdminListGroupsForUserRequest generates a "aws/request.Request" representing the
// client's request for the AdminListGroupsForUser operation. The "output" return // client's request for the AdminListGroupsForUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1774,7 +1774,7 @@ const opAdminListUserAuthEvents = "AdminListUserAuthEvents"
// AdminListUserAuthEventsRequest generates a "aws/request.Request" representing the // AdminListUserAuthEventsRequest generates a "aws/request.Request" representing the
// client's request for the AdminListUserAuthEvents operation. The "output" return // client's request for the AdminListUserAuthEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1875,7 +1875,7 @@ const opAdminRemoveUserFromGroup = "AdminRemoveUserFromGroup"
// AdminRemoveUserFromGroupRequest generates a "aws/request.Request" representing the // AdminRemoveUserFromGroupRequest generates a "aws/request.Request" representing the
// client's request for the AdminRemoveUserFromGroup operation. The "output" return // client's request for the AdminRemoveUserFromGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1976,7 +1976,7 @@ const opAdminResetUserPassword = "AdminResetUserPassword"
// AdminResetUserPasswordRequest generates a "aws/request.Request" representing the // AdminResetUserPasswordRequest generates a "aws/request.Request" representing the
// client's request for the AdminResetUserPassword operation. The "output" return // client's request for the AdminResetUserPassword operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2116,7 +2116,7 @@ const opAdminRespondToAuthChallenge = "AdminRespondToAuthChallenge"
// AdminRespondToAuthChallengeRequest generates a "aws/request.Request" representing the // AdminRespondToAuthChallengeRequest generates a "aws/request.Request" representing the
// client's request for the AdminRespondToAuthChallenge operation. The "output" return // client's request for the AdminRespondToAuthChallenge operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2271,7 +2271,7 @@ const opAdminSetUserMFAPreference = "AdminSetUserMFAPreference"
// AdminSetUserMFAPreferenceRequest generates a "aws/request.Request" representing the // AdminSetUserMFAPreferenceRequest generates a "aws/request.Request" representing the
// client's request for the AdminSetUserMFAPreference operation. The "output" return // client's request for the AdminSetUserMFAPreference operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2370,7 +2370,7 @@ const opAdminSetUserSettings = "AdminSetUserSettings"
// AdminSetUserSettingsRequest generates a "aws/request.Request" representing the // AdminSetUserSettingsRequest generates a "aws/request.Request" representing the
// client's request for the AdminSetUserSettings operation. The "output" return // client's request for the AdminSetUserSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2465,7 +2465,7 @@ const opAdminUpdateAuthEventFeedback = "AdminUpdateAuthEventFeedback"
// AdminUpdateAuthEventFeedbackRequest generates a "aws/request.Request" representing the // AdminUpdateAuthEventFeedbackRequest generates a "aws/request.Request" representing the
// client's request for the AdminUpdateAuthEventFeedback operation. The "output" return // client's request for the AdminUpdateAuthEventFeedback operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2567,7 +2567,7 @@ const opAdminUpdateDeviceStatus = "AdminUpdateDeviceStatus"
// AdminUpdateDeviceStatusRequest generates a "aws/request.Request" representing the // AdminUpdateDeviceStatusRequest generates a "aws/request.Request" representing the
// client's request for the AdminUpdateDeviceStatus operation. The "output" return // client's request for the AdminUpdateDeviceStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2669,7 +2669,7 @@ const opAdminUpdateUserAttributes = "AdminUpdateUserAttributes"
// AdminUpdateUserAttributesRequest generates a "aws/request.Request" representing the // AdminUpdateUserAttributesRequest generates a "aws/request.Request" representing the
// client's request for the AdminUpdateUserAttributes operation. The "output" return // client's request for the AdminUpdateUserAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2793,7 +2793,7 @@ const opAdminUserGlobalSignOut = "AdminUserGlobalSignOut"
// AdminUserGlobalSignOutRequest generates a "aws/request.Request" representing the // AdminUserGlobalSignOutRequest generates a "aws/request.Request" representing the
// client's request for the AdminUserGlobalSignOut operation. The "output" return // client's request for the AdminUserGlobalSignOut operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2892,7 +2892,7 @@ const opAssociateSoftwareToken = "AssociateSoftwareToken"
// AssociateSoftwareTokenRequest generates a "aws/request.Request" representing the // AssociateSoftwareTokenRequest generates a "aws/request.Request" representing the
// client's request for the AssociateSoftwareToken operation. The "output" return // client's request for the AssociateSoftwareToken operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2987,7 +2987,7 @@ const opChangePassword = "ChangePassword"
// ChangePasswordRequest generates a "aws/request.Request" representing the // ChangePasswordRequest generates a "aws/request.Request" representing the
// client's request for the ChangePassword operation. The "output" return // client's request for the ChangePassword operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3099,7 +3099,7 @@ const opConfirmDevice = "ConfirmDevice"
// ConfirmDeviceRequest generates a "aws/request.Request" representing the // ConfirmDeviceRequest generates a "aws/request.Request" representing the
// client's request for the ConfirmDevice operation. The "output" return // client's request for the ConfirmDevice operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3218,7 +3218,7 @@ const opConfirmForgotPassword = "ConfirmForgotPassword"
// ConfirmForgotPasswordRequest generates a "aws/request.Request" representing the // ConfirmForgotPasswordRequest generates a "aws/request.Request" representing the
// client's request for the ConfirmForgotPassword operation. The "output" return // client's request for the ConfirmForgotPassword operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3350,7 +3350,7 @@ const opConfirmSignUp = "ConfirmSignUp"
// ConfirmSignUpRequest generates a "aws/request.Request" representing the // ConfirmSignUpRequest generates a "aws/request.Request" representing the
// client's request for the ConfirmSignUp operation. The "output" return // client's request for the ConfirmSignUp operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3482,7 +3482,7 @@ const opCreateGroup = "CreateGroup"
// CreateGroupRequest generates a "aws/request.Request" representing the // CreateGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateGroup operation. The "output" return // client's request for the CreateGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3586,7 +3586,7 @@ const opCreateIdentityProvider = "CreateIdentityProvider"
// CreateIdentityProviderRequest generates a "aws/request.Request" representing the // CreateIdentityProviderRequest generates a "aws/request.Request" representing the
// client's request for the CreateIdentityProvider operation. The "output" return // client's request for the CreateIdentityProvider operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3688,7 +3688,7 @@ const opCreateResourceServer = "CreateResourceServer"
// CreateResourceServerRequest generates a "aws/request.Request" representing the // CreateResourceServerRequest generates a "aws/request.Request" representing the
// client's request for the CreateResourceServer operation. The "output" return // client's request for the CreateResourceServer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3786,7 +3786,7 @@ const opCreateUserImportJob = "CreateUserImportJob"
// CreateUserImportJobRequest generates a "aws/request.Request" representing the // CreateUserImportJobRequest generates a "aws/request.Request" representing the
// client's request for the CreateUserImportJob operation. The "output" return // client's request for the CreateUserImportJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3887,7 +3887,7 @@ const opCreateUserPool = "CreateUserPool"
// CreateUserPoolRequest generates a "aws/request.Request" representing the // CreateUserPoolRequest generates a "aws/request.Request" representing the
// client's request for the CreateUserPool operation. The "output" return // client's request for the CreateUserPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3999,7 +3999,7 @@ const opCreateUserPoolClient = "CreateUserPoolClient"
// CreateUserPoolClientRequest generates a "aws/request.Request" representing the // CreateUserPoolClientRequest generates a "aws/request.Request" representing the
// client's request for the CreateUserPoolClient operation. The "output" return // client's request for the CreateUserPoolClient operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4103,7 +4103,7 @@ const opCreateUserPoolDomain = "CreateUserPoolDomain"
// CreateUserPoolDomainRequest generates a "aws/request.Request" representing the // CreateUserPoolDomainRequest generates a "aws/request.Request" representing the
// client's request for the CreateUserPoolDomain operation. The "output" return // client's request for the CreateUserPoolDomain operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4193,7 +4193,7 @@ const opDeleteGroup = "DeleteGroup"
// DeleteGroupRequest generates a "aws/request.Request" representing the // DeleteGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteGroup operation. The "output" return // client's request for the DeleteGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4291,7 +4291,7 @@ const opDeleteIdentityProvider = "DeleteIdentityProvider"
// DeleteIdentityProviderRequest generates a "aws/request.Request" representing the // DeleteIdentityProviderRequest generates a "aws/request.Request" representing the
// client's request for the DeleteIdentityProvider operation. The "output" return // client's request for the DeleteIdentityProvider operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4390,7 +4390,7 @@ const opDeleteResourceServer = "DeleteResourceServer"
// DeleteResourceServerRequest generates a "aws/request.Request" representing the // DeleteResourceServerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteResourceServer operation. The "output" return // client's request for the DeleteResourceServer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4486,7 +4486,7 @@ const opDeleteUser = "DeleteUser"
// DeleteUserRequest generates a "aws/request.Request" representing the // DeleteUserRequest generates a "aws/request.Request" representing the
// client's request for the DeleteUser operation. The "output" return // client's request for the DeleteUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4592,7 +4592,7 @@ const opDeleteUserAttributes = "DeleteUserAttributes"
// DeleteUserAttributesRequest generates a "aws/request.Request" representing the // DeleteUserAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DeleteUserAttributes operation. The "output" return // client's request for the DeleteUserAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4696,7 +4696,7 @@ const opDeleteUserPool = "DeleteUserPool"
// DeleteUserPoolRequest generates a "aws/request.Request" representing the // DeleteUserPoolRequest generates a "aws/request.Request" representing the
// client's request for the DeleteUserPool operation. The "output" return // client's request for the DeleteUserPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4796,7 +4796,7 @@ const opDeleteUserPoolClient = "DeleteUserPoolClient"
// DeleteUserPoolClientRequest generates a "aws/request.Request" representing the // DeleteUserPoolClientRequest generates a "aws/request.Request" representing the
// client's request for the DeleteUserPoolClient operation. The "output" return // client's request for the DeleteUserPoolClient operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4892,7 +4892,7 @@ const opDeleteUserPoolDomain = "DeleteUserPoolDomain"
// DeleteUserPoolDomainRequest generates a "aws/request.Request" representing the // DeleteUserPoolDomainRequest generates a "aws/request.Request" representing the
// client's request for the DeleteUserPoolDomain operation. The "output" return // client's request for the DeleteUserPoolDomain operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4982,7 +4982,7 @@ const opDescribeIdentityProvider = "DescribeIdentityProvider"
// DescribeIdentityProviderRequest generates a "aws/request.Request" representing the // DescribeIdentityProviderRequest generates a "aws/request.Request" representing the
// client's request for the DescribeIdentityProvider operation. The "output" return // client's request for the DescribeIdentityProvider operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5076,7 +5076,7 @@ const opDescribeResourceServer = "DescribeResourceServer"
// DescribeResourceServerRequest generates a "aws/request.Request" representing the // DescribeResourceServerRequest generates a "aws/request.Request" representing the
// client's request for the DescribeResourceServer operation. The "output" return // client's request for the DescribeResourceServer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5170,7 +5170,7 @@ const opDescribeRiskConfiguration = "DescribeRiskConfiguration"
// DescribeRiskConfigurationRequest generates a "aws/request.Request" representing the // DescribeRiskConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRiskConfiguration operation. The "output" return // client's request for the DescribeRiskConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5267,7 +5267,7 @@ const opDescribeUserImportJob = "DescribeUserImportJob"
// DescribeUserImportJobRequest generates a "aws/request.Request" representing the // DescribeUserImportJobRequest generates a "aws/request.Request" representing the
// client's request for the DescribeUserImportJob operation. The "output" return // client's request for the DescribeUserImportJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5361,7 +5361,7 @@ const opDescribeUserPool = "DescribeUserPool"
// DescribeUserPoolRequest generates a "aws/request.Request" representing the // DescribeUserPoolRequest generates a "aws/request.Request" representing the
// client's request for the DescribeUserPool operation. The "output" return // client's request for the DescribeUserPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5459,7 +5459,7 @@ const opDescribeUserPoolClient = "DescribeUserPoolClient"
// DescribeUserPoolClientRequest generates a "aws/request.Request" representing the // DescribeUserPoolClientRequest generates a "aws/request.Request" representing the
// client's request for the DescribeUserPoolClient operation. The "output" return // client's request for the DescribeUserPoolClient operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5554,7 +5554,7 @@ const opDescribeUserPoolDomain = "DescribeUserPoolDomain"
// DescribeUserPoolDomainRequest generates a "aws/request.Request" representing the // DescribeUserPoolDomainRequest generates a "aws/request.Request" representing the
// client's request for the DescribeUserPoolDomain operation. The "output" return // client's request for the DescribeUserPoolDomain operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5644,7 +5644,7 @@ const opForgetDevice = "ForgetDevice"
// ForgetDeviceRequest generates a "aws/request.Request" representing the // ForgetDeviceRequest generates a "aws/request.Request" representing the
// client's request for the ForgetDevice operation. The "output" return // client's request for the ForgetDevice operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5752,7 +5752,7 @@ const opForgotPassword = "ForgotPassword"
// ForgotPasswordRequest generates a "aws/request.Request" representing the // ForgotPasswordRequest generates a "aws/request.Request" representing the
// client's request for the ForgotPassword operation. The "output" return // client's request for the ForgotPassword operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5893,7 +5893,7 @@ const opGetCSVHeader = "GetCSVHeader"
// GetCSVHeaderRequest generates a "aws/request.Request" representing the // GetCSVHeaderRequest generates a "aws/request.Request" representing the
// client's request for the GetCSVHeader operation. The "output" return // client's request for the GetCSVHeader operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5988,7 +5988,7 @@ const opGetDevice = "GetDevice"
// GetDeviceRequest generates a "aws/request.Request" representing the // GetDeviceRequest generates a "aws/request.Request" representing the
// client's request for the GetDevice operation. The "output" return // client's request for the GetDevice operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6094,7 +6094,7 @@ const opGetGroup = "GetGroup"
// GetGroupRequest generates a "aws/request.Request" representing the // GetGroupRequest generates a "aws/request.Request" representing the
// client's request for the GetGroup operation. The "output" return // client's request for the GetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6190,7 +6190,7 @@ const opGetIdentityProviderByIdentifier = "GetIdentityProviderByIdentifier"
// GetIdentityProviderByIdentifierRequest generates a "aws/request.Request" representing the // GetIdentityProviderByIdentifierRequest generates a "aws/request.Request" representing the
// client's request for the GetIdentityProviderByIdentifier operation. The "output" return // client's request for the GetIdentityProviderByIdentifier operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6284,7 +6284,7 @@ const opGetSigningCertificate = "GetSigningCertificate"
// GetSigningCertificateRequest generates a "aws/request.Request" representing the // GetSigningCertificateRequest generates a "aws/request.Request" representing the
// client's request for the GetSigningCertificate operation. The "output" return // client's request for the GetSigningCertificate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6367,7 +6367,7 @@ const opGetUICustomization = "GetUICustomization"
// GetUICustomizationRequest generates a "aws/request.Request" representing the // GetUICustomizationRequest generates a "aws/request.Request" representing the
// client's request for the GetUICustomization operation. The "output" return // client's request for the GetUICustomization operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6464,7 +6464,7 @@ const opGetUser = "GetUser"
// GetUserRequest generates a "aws/request.Request" representing the // GetUserRequest generates a "aws/request.Request" representing the
// client's request for the GetUser operation. The "output" return // client's request for the GetUser operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6568,7 +6568,7 @@ const opGetUserAttributeVerificationCode = "GetUserAttributeVerificationCode"
// GetUserAttributeVerificationCodeRequest generates a "aws/request.Request" representing the // GetUserAttributeVerificationCodeRequest generates a "aws/request.Request" representing the
// client's request for the GetUserAttributeVerificationCode operation. The "output" return // client's request for the GetUserAttributeVerificationCode operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6705,7 +6705,7 @@ const opGetUserPoolMfaConfig = "GetUserPoolMfaConfig"
// GetUserPoolMfaConfigRequest generates a "aws/request.Request" representing the // GetUserPoolMfaConfigRequest generates a "aws/request.Request" representing the
// client's request for the GetUserPoolMfaConfig operation. The "output" return // client's request for the GetUserPoolMfaConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6799,7 +6799,7 @@ const opGlobalSignOut = "GlobalSignOut"
// GlobalSignOutRequest generates a "aws/request.Request" representing the // GlobalSignOutRequest generates a "aws/request.Request" representing the
// client's request for the GlobalSignOut operation. The "output" return // client's request for the GlobalSignOut operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6899,7 +6899,7 @@ const opInitiateAuth = "InitiateAuth"
// InitiateAuthRequest generates a "aws/request.Request" representing the // InitiateAuthRequest generates a "aws/request.Request" representing the
// client's request for the InitiateAuth operation. The "output" return // client's request for the InitiateAuth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7017,7 +7017,7 @@ const opListDevices = "ListDevices"
// ListDevicesRequest generates a "aws/request.Request" representing the // ListDevicesRequest generates a "aws/request.Request" representing the
// client's request for the ListDevices operation. The "output" return // client's request for the ListDevices operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7123,7 +7123,7 @@ const opListGroups = "ListGroups"
// ListGroupsRequest generates a "aws/request.Request" representing the // ListGroupsRequest generates a "aws/request.Request" representing the
// client's request for the ListGroups operation. The "output" return // client's request for the ListGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7219,7 +7219,7 @@ const opListIdentityProviders = "ListIdentityProviders"
// ListIdentityProvidersRequest generates a "aws/request.Request" representing the // ListIdentityProvidersRequest generates a "aws/request.Request" representing the
// client's request for the ListIdentityProviders operation. The "output" return // client's request for the ListIdentityProviders operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7313,7 +7313,7 @@ const opListResourceServers = "ListResourceServers"
// ListResourceServersRequest generates a "aws/request.Request" representing the // ListResourceServersRequest generates a "aws/request.Request" representing the
// client's request for the ListResourceServers operation. The "output" return // client's request for the ListResourceServers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7407,7 +7407,7 @@ const opListUserImportJobs = "ListUserImportJobs"
// ListUserImportJobsRequest generates a "aws/request.Request" representing the // ListUserImportJobsRequest generates a "aws/request.Request" representing the
// client's request for the ListUserImportJobs operation. The "output" return // client's request for the ListUserImportJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7501,7 +7501,7 @@ const opListUserPoolClients = "ListUserPoolClients"
// ListUserPoolClientsRequest generates a "aws/request.Request" representing the // ListUserPoolClientsRequest generates a "aws/request.Request" representing the
// client's request for the ListUserPoolClients operation. The "output" return // client's request for the ListUserPoolClients operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7595,7 +7595,7 @@ const opListUserPools = "ListUserPools"
// ListUserPoolsRequest generates a "aws/request.Request" representing the // ListUserPoolsRequest generates a "aws/request.Request" representing the
// client's request for the ListUserPools operation. The "output" return // client's request for the ListUserPools operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7685,7 +7685,7 @@ const opListUsers = "ListUsers"
// ListUsersRequest generates a "aws/request.Request" representing the // ListUsersRequest generates a "aws/request.Request" representing the
// client's request for the ListUsers operation. The "output" return // client's request for the ListUsers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7779,7 +7779,7 @@ const opListUsersInGroup = "ListUsersInGroup"
// ListUsersInGroupRequest generates a "aws/request.Request" representing the // ListUsersInGroupRequest generates a "aws/request.Request" representing the
// client's request for the ListUsersInGroup operation. The "output" return // client's request for the ListUsersInGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7875,7 +7875,7 @@ const opResendConfirmationCode = "ResendConfirmationCode"
// ResendConfirmationCodeRequest generates a "aws/request.Request" representing the // ResendConfirmationCodeRequest generates a "aws/request.Request" representing the
// client's request for the ResendConfirmationCode operation. The "output" return // client's request for the ResendConfirmationCode operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8007,7 +8007,7 @@ const opRespondToAuthChallenge = "RespondToAuthChallenge"
// RespondToAuthChallengeRequest generates a "aws/request.Request" representing the // RespondToAuthChallengeRequest generates a "aws/request.Request" representing the
// client's request for the RespondToAuthChallenge operation. The "output" return // client's request for the RespondToAuthChallenge operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8160,7 +8160,7 @@ const opSetRiskConfiguration = "SetRiskConfiguration"
// SetRiskConfigurationRequest generates a "aws/request.Request" representing the // SetRiskConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the SetRiskConfiguration operation. The "output" return // client's request for the SetRiskConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8270,7 +8270,7 @@ const opSetUICustomization = "SetUICustomization"
// SetUICustomizationRequest generates a "aws/request.Request" representing the // SetUICustomizationRequest generates a "aws/request.Request" representing the
// client's request for the SetUICustomization operation. The "output" return // client's request for the SetUICustomization operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8375,7 +8375,7 @@ const opSetUserMFAPreference = "SetUserMFAPreference"
// SetUserMFAPreferenceRequest generates a "aws/request.Request" representing the // SetUserMFAPreferenceRequest generates a "aws/request.Request" representing the
// client's request for the SetUserMFAPreference operation. The "output" return // client's request for the SetUserMFAPreference operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8474,7 +8474,7 @@ const opSetUserPoolMfaConfig = "SetUserPoolMfaConfig"
// SetUserPoolMfaConfigRequest generates a "aws/request.Request" representing the // SetUserPoolMfaConfigRequest generates a "aws/request.Request" representing the
// client's request for the SetUserPoolMfaConfig operation. The "output" return // client's request for the SetUserPoolMfaConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8578,7 +8578,7 @@ const opSetUserSettings = "SetUserSettings"
// SetUserSettingsRequest generates a "aws/request.Request" representing the // SetUserSettingsRequest generates a "aws/request.Request" representing the
// client's request for the SetUserSettings operation. The "output" return // client's request for the SetUserSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8680,7 +8680,7 @@ const opSignUp = "SignUp"
// SignUpRequest generates a "aws/request.Request" representing the // SignUpRequest generates a "aws/request.Request" representing the
// client's request for the SignUp operation. The "output" return // client's request for the SignUp operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8813,7 +8813,7 @@ const opStartUserImportJob = "StartUserImportJob"
// StartUserImportJobRequest generates a "aws/request.Request" representing the // StartUserImportJobRequest generates a "aws/request.Request" representing the
// client's request for the StartUserImportJob operation. The "output" return // client's request for the StartUserImportJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8910,7 +8910,7 @@ const opStopUserImportJob = "StopUserImportJob"
// StopUserImportJobRequest generates a "aws/request.Request" representing the // StopUserImportJobRequest generates a "aws/request.Request" representing the
// client's request for the StopUserImportJob operation. The "output" return // client's request for the StopUserImportJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9007,7 +9007,7 @@ const opUpdateAuthEventFeedback = "UpdateAuthEventFeedback"
// UpdateAuthEventFeedbackRequest generates a "aws/request.Request" representing the // UpdateAuthEventFeedbackRequest generates a "aws/request.Request" representing the
// client's request for the UpdateAuthEventFeedback operation. The "output" return // client's request for the UpdateAuthEventFeedback operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9109,7 +9109,7 @@ const opUpdateDeviceStatus = "UpdateDeviceStatus"
// UpdateDeviceStatusRequest generates a "aws/request.Request" representing the // UpdateDeviceStatusRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDeviceStatus operation. The "output" return // client's request for the UpdateDeviceStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9215,7 +9215,7 @@ const opUpdateGroup = "UpdateGroup"
// UpdateGroupRequest generates a "aws/request.Request" representing the // UpdateGroupRequest generates a "aws/request.Request" representing the
// client's request for the UpdateGroup operation. The "output" return // client's request for the UpdateGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9311,7 +9311,7 @@ const opUpdateIdentityProvider = "UpdateIdentityProvider"
// UpdateIdentityProviderRequest generates a "aws/request.Request" representing the // UpdateIdentityProviderRequest generates a "aws/request.Request" representing the
// client's request for the UpdateIdentityProvider operation. The "output" return // client's request for the UpdateIdentityProvider operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9408,7 +9408,7 @@ const opUpdateResourceServer = "UpdateResourceServer"
// UpdateResourceServerRequest generates a "aws/request.Request" representing the // UpdateResourceServerRequest generates a "aws/request.Request" representing the
// client's request for the UpdateResourceServer operation. The "output" return // client's request for the UpdateResourceServer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9502,7 +9502,7 @@ const opUpdateUserAttributes = "UpdateUserAttributes"
// UpdateUserAttributesRequest generates a "aws/request.Request" representing the // UpdateUserAttributesRequest generates a "aws/request.Request" representing the
// client's request for the UpdateUserAttributes operation. The "output" return // client's request for the UpdateUserAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9648,7 +9648,7 @@ const opUpdateUserPool = "UpdateUserPool"
// UpdateUserPoolRequest generates a "aws/request.Request" representing the // UpdateUserPoolRequest generates a "aws/request.Request" representing the
// client's request for the UpdateUserPool operation. The "output" return // client's request for the UpdateUserPool operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9766,7 +9766,7 @@ const opUpdateUserPoolClient = "UpdateUserPoolClient"
// UpdateUserPoolClientRequest generates a "aws/request.Request" representing the // UpdateUserPoolClientRequest generates a "aws/request.Request" representing the
// client's request for the UpdateUserPoolClient operation. The "output" return // client's request for the UpdateUserPoolClient operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9870,7 +9870,7 @@ const opVerifySoftwareToken = "VerifySoftwareToken"
// VerifySoftwareTokenRequest generates a "aws/request.Request" representing the // VerifySoftwareTokenRequest generates a "aws/request.Request" representing the
// client's request for the VerifySoftwareToken operation. The "output" return // client's request for the VerifySoftwareToken operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9992,7 +9992,7 @@ const opVerifyUserAttribute = "VerifyUserAttribute"
// VerifyUserAttributeRequest generates a "aws/request.Request" representing the // VerifyUserAttributeRequest generates a "aws/request.Request" representing the
// client's request for the VerifyUserAttribute operation. The "output" return // client's request for the VerifyUserAttribute operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

File diff suppressed because it is too large Load Diff

View File

@ -8,24 +8,20 @@
// get the current and historical configurations of each AWS resource and also // get the current and historical configurations of each AWS resource and also
// to get information about the relationship between the resources. An AWS resource // to get information about the relationship between the resources. An AWS resource
// can be an Amazon Compute Cloud (Amazon EC2) instance, an Elastic Block Store // can be an Amazon Compute Cloud (Amazon EC2) instance, an Elastic Block Store
// (EBS) volume, an Elastic network Interface (ENI), or a security group. For // (EBS) volume, an elastic network Interface (ENI), or a security group. For
// a complete list of resources currently supported by AWS Config, see Supported // a complete list of resources currently supported by AWS Config, see Supported
// AWS Resources (http://docs.aws.amazon.com/config/latest/developerguide/resource-config-reference.html#supported-resources). // AWS Resources (http://docs.aws.amazon.com/config/latest/developerguide/resource-config-reference.html#supported-resources).
// //
// You can access and manage AWS Config through the AWS Management Console, // You can access and manage AWS Config through the AWS Management Console,
// the AWS Command Line Interface (AWS CLI), the AWS Config API, or the AWS // the AWS Command Line Interface (AWS CLI), the AWS Config API, or the AWS
// SDKs for AWS Config // SDKs for AWS Config. This reference guide contains documentation for the
// // AWS Config API and the AWS CLI commands that you can use to manage AWS Config.
// This reference guide contains documentation for the AWS Config API and the
// AWS CLI commands that you can use to manage AWS Config.
//
// The AWS Config API uses the Signature Version 4 protocol for signing requests. // The AWS Config API uses the Signature Version 4 protocol for signing requests.
// For more information about how to sign a request with this protocol, see // For more information about how to sign a request with this protocol, see
// Signature Version 4 Signing Process (http://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). // Signature Version 4 Signing Process (http://docs.aws.amazon.com/general/latest/gr/signature-version-4.html).
//
// For detailed information about AWS Config features and their associated actions // For detailed information about AWS Config features and their associated actions
// or commands, as well as how to work with AWS Management Console, see What // or commands, as well as how to work with AWS Management Console, see What
// Is AWS Config? (http://docs.aws.amazon.com/config/latest/developerguide/WhatIsConfig.html) // Is AWS Config (http://docs.aws.amazon.com/config/latest/developerguide/WhatIsConfig.html)
// in the AWS Config Developer Guide. // in the AWS Config Developer Guide.
// //
// See https://docs.aws.amazon.com/goto/WebAPI/config-2014-11-12 for more information on this service. // See https://docs.aws.amazon.com/goto/WebAPI/config-2014-11-12 for more information on this service.

View File

@ -43,7 +43,7 @@ const (
// ErrCodeInvalidNextTokenException for service response error code // ErrCodeInvalidNextTokenException for service response error code
// "InvalidNextTokenException". // "InvalidNextTokenException".
// //
// The specified next token is invalid. Specify the NextToken string that was // The specified next token is invalid. Specify the nextToken string that was
// returned in the previous response to get the next page of results. // returned in the previous response to get the next page of results.
ErrCodeInvalidNextTokenException = "InvalidNextTokenException" ErrCodeInvalidNextTokenException = "InvalidNextTokenException"
@ -58,7 +58,7 @@ const (
// "InvalidRecordingGroupException". // "InvalidRecordingGroupException".
// //
// AWS Config throws an exception if the recording group does not contain a // AWS Config throws an exception if the recording group does not contain a
// valid list of resource types. Invalid values could also be incorrectly formatted. // valid list of resource types. Invalid values might also be incorrectly formatted.
ErrCodeInvalidRecordingGroupException = "InvalidRecordingGroupException" ErrCodeInvalidRecordingGroupException = "InvalidRecordingGroupException"
// ErrCodeInvalidResultTokenException for service response error code // ErrCodeInvalidResultTokenException for service response error code
@ -111,19 +111,19 @@ const (
// //
// Failed to add the AWS Config rule because the account already contains the // Failed to add the AWS Config rule because the account already contains the
// maximum number of 50 rules. Consider deleting any deactivated rules before // maximum number of 50 rules. Consider deleting any deactivated rules before
// adding new rules. // you add new rules.
ErrCodeMaxNumberOfConfigRulesExceededException = "MaxNumberOfConfigRulesExceededException" ErrCodeMaxNumberOfConfigRulesExceededException = "MaxNumberOfConfigRulesExceededException"
// ErrCodeMaxNumberOfConfigurationRecordersExceededException for service response error code // ErrCodeMaxNumberOfConfigurationRecordersExceededException for service response error code
// "MaxNumberOfConfigurationRecordersExceededException". // "MaxNumberOfConfigurationRecordersExceededException".
// //
// You have reached the limit on the number of recorders you can create. // You have reached the limit of the number of recorders you can create.
ErrCodeMaxNumberOfConfigurationRecordersExceededException = "MaxNumberOfConfigurationRecordersExceededException" ErrCodeMaxNumberOfConfigurationRecordersExceededException = "MaxNumberOfConfigurationRecordersExceededException"
// ErrCodeMaxNumberOfDeliveryChannelsExceededException for service response error code // ErrCodeMaxNumberOfDeliveryChannelsExceededException for service response error code
// "MaxNumberOfDeliveryChannelsExceededException". // "MaxNumberOfDeliveryChannelsExceededException".
// //
// You have reached the limit on the number of delivery channels you can create. // You have reached the limit of the number of delivery channels you can create.
ErrCodeMaxNumberOfDeliveryChannelsExceededException = "MaxNumberOfDeliveryChannelsExceededException" ErrCodeMaxNumberOfDeliveryChannelsExceededException = "MaxNumberOfDeliveryChannelsExceededException"
// ErrCodeNoAvailableConfigurationRecorderException for service response error code // ErrCodeNoAvailableConfigurationRecorderException for service response error code
@ -139,6 +139,12 @@ const (
// There is no delivery channel available to record configurations. // There is no delivery channel available to record configurations.
ErrCodeNoAvailableDeliveryChannelException = "NoAvailableDeliveryChannelException" ErrCodeNoAvailableDeliveryChannelException = "NoAvailableDeliveryChannelException"
// ErrCodeNoAvailableOrganizationException for service response error code
// "NoAvailableOrganizationException".
//
// Organization does is no longer available.
ErrCodeNoAvailableOrganizationException = "NoAvailableOrganizationException"
// ErrCodeNoRunningConfigurationRecorderException for service response error code // ErrCodeNoRunningConfigurationRecorderException for service response error code
// "NoRunningConfigurationRecorderException". // "NoRunningConfigurationRecorderException".
// //
@ -158,6 +164,12 @@ const (
// rule names are correct and try again. // rule names are correct and try again.
ErrCodeNoSuchConfigRuleException = "NoSuchConfigRuleException" ErrCodeNoSuchConfigRuleException = "NoSuchConfigRuleException"
// ErrCodeNoSuchConfigurationAggregatorException for service response error code
// "NoSuchConfigurationAggregatorException".
//
// You have specified a configuration aggregator that does not exist.
ErrCodeNoSuchConfigurationAggregatorException = "NoSuchConfigurationAggregatorException"
// ErrCodeNoSuchConfigurationRecorderException for service response error code // ErrCodeNoSuchConfigurationRecorderException for service response error code
// "NoSuchConfigurationRecorderException". // "NoSuchConfigurationRecorderException".
// //
@ -170,6 +182,19 @@ const (
// You have specified a delivery channel that does not exist. // You have specified a delivery channel that does not exist.
ErrCodeNoSuchDeliveryChannelException = "NoSuchDeliveryChannelException" ErrCodeNoSuchDeliveryChannelException = "NoSuchDeliveryChannelException"
// ErrCodeOrganizationAccessDeniedException for service response error code
// "OrganizationAccessDeniedException".
//
// No permission to call the EnableAWSServiceAccess API.
ErrCodeOrganizationAccessDeniedException = "OrganizationAccessDeniedException"
// ErrCodeOrganizationAllFeaturesNotEnabledException for service response error code
// "OrganizationAllFeaturesNotEnabledException".
//
// The configuration aggregator cannot be created because organization does
// not have all features enabled.
ErrCodeOrganizationAllFeaturesNotEnabledException = "OrganizationAllFeaturesNotEnabledException"
// ErrCodeResourceInUseException for service response error code // ErrCodeResourceInUseException for service response error code
// "ResourceInUseException". // "ResourceInUseException".
// //

View File

@ -15,7 +15,7 @@ const opAddTagsToResource = "AddTagsToResource"
// AddTagsToResourceRequest generates a "aws/request.Request" representing the // AddTagsToResourceRequest generates a "aws/request.Request" representing the
// client's request for the AddTagsToResource operation. The "output" return // client's request for the AddTagsToResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -97,7 +97,7 @@ const opCreateEndpoint = "CreateEndpoint"
// CreateEndpointRequest generates a "aws/request.Request" representing the // CreateEndpointRequest generates a "aws/request.Request" representing the
// client's request for the CreateEndpoint operation. The "output" return // client's request for the CreateEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -192,7 +192,7 @@ const opCreateEventSubscription = "CreateEventSubscription"
// CreateEventSubscriptionRequest generates a "aws/request.Request" representing the // CreateEventSubscriptionRequest generates a "aws/request.Request" representing the
// client's request for the CreateEventSubscription operation. The "output" return // client's request for the CreateEventSubscription operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -299,7 +299,7 @@ const opCreateReplicationInstance = "CreateReplicationInstance"
// CreateReplicationInstanceRequest generates a "aws/request.Request" representing the // CreateReplicationInstanceRequest generates a "aws/request.Request" representing the
// client's request for the CreateReplicationInstance operation. The "output" return // client's request for the CreateReplicationInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -407,7 +407,7 @@ const opCreateReplicationSubnetGroup = "CreateReplicationSubnetGroup"
// CreateReplicationSubnetGroupRequest generates a "aws/request.Request" representing the // CreateReplicationSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateReplicationSubnetGroup operation. The "output" return // client's request for the CreateReplicationSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -502,7 +502,7 @@ const opCreateReplicationTask = "CreateReplicationTask"
// CreateReplicationTaskRequest generates a "aws/request.Request" representing the // CreateReplicationTaskRequest generates a "aws/request.Request" representing the
// client's request for the CreateReplicationTask operation. The "output" return // client's request for the CreateReplicationTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -597,7 +597,7 @@ const opDeleteCertificate = "DeleteCertificate"
// DeleteCertificateRequest generates a "aws/request.Request" representing the // DeleteCertificateRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCertificate operation. The "output" return // client's request for the DeleteCertificate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -680,7 +680,7 @@ const opDeleteEndpoint = "DeleteEndpoint"
// DeleteEndpointRequest generates a "aws/request.Request" representing the // DeleteEndpointRequest generates a "aws/request.Request" representing the
// client's request for the DeleteEndpoint operation. The "output" return // client's request for the DeleteEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -766,7 +766,7 @@ const opDeleteEventSubscription = "DeleteEventSubscription"
// DeleteEventSubscriptionRequest generates a "aws/request.Request" representing the // DeleteEventSubscriptionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteEventSubscription operation. The "output" return // client's request for the DeleteEventSubscription operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -849,7 +849,7 @@ const opDeleteReplicationInstance = "DeleteReplicationInstance"
// DeleteReplicationInstanceRequest generates a "aws/request.Request" representing the // DeleteReplicationInstanceRequest generates a "aws/request.Request" representing the
// client's request for the DeleteReplicationInstance operation. The "output" return // client's request for the DeleteReplicationInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -935,7 +935,7 @@ const opDeleteReplicationSubnetGroup = "DeleteReplicationSubnetGroup"
// DeleteReplicationSubnetGroupRequest generates a "aws/request.Request" representing the // DeleteReplicationSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteReplicationSubnetGroup operation. The "output" return // client's request for the DeleteReplicationSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1018,7 +1018,7 @@ const opDeleteReplicationTask = "DeleteReplicationTask"
// DeleteReplicationTaskRequest generates a "aws/request.Request" representing the // DeleteReplicationTaskRequest generates a "aws/request.Request" representing the
// client's request for the DeleteReplicationTask operation. The "output" return // client's request for the DeleteReplicationTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1101,7 +1101,7 @@ const opDescribeAccountAttributes = "DescribeAccountAttributes"
// DescribeAccountAttributesRequest generates a "aws/request.Request" representing the // DescribeAccountAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAccountAttributes operation. The "output" return // client's request for the DescribeAccountAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1180,7 +1180,7 @@ const opDescribeCertificates = "DescribeCertificates"
// DescribeCertificatesRequest generates a "aws/request.Request" representing the // DescribeCertificatesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCertificates operation. The "output" return // client's request for the DescribeCertificates operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1315,7 +1315,7 @@ const opDescribeConnections = "DescribeConnections"
// DescribeConnectionsRequest generates a "aws/request.Request" representing the // DescribeConnectionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConnections operation. The "output" return // client's request for the DescribeConnections operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1451,7 +1451,7 @@ const opDescribeEndpointTypes = "DescribeEndpointTypes"
// DescribeEndpointTypesRequest generates a "aws/request.Request" representing the // DescribeEndpointTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEndpointTypes operation. The "output" return // client's request for the DescribeEndpointTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1581,7 +1581,7 @@ const opDescribeEndpoints = "DescribeEndpoints"
// DescribeEndpointsRequest generates a "aws/request.Request" representing the // DescribeEndpointsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEndpoints operation. The "output" return // client's request for the DescribeEndpoints operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1716,7 +1716,7 @@ const opDescribeEventCategories = "DescribeEventCategories"
// DescribeEventCategoriesRequest generates a "aws/request.Request" representing the // DescribeEventCategoriesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEventCategories operation. The "output" return // client's request for the DescribeEventCategories operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1793,7 +1793,7 @@ const opDescribeEventSubscriptions = "DescribeEventSubscriptions"
// DescribeEventSubscriptionsRequest generates a "aws/request.Request" representing the // DescribeEventSubscriptionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEventSubscriptions operation. The "output" return // client's request for the DescribeEventSubscriptions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1933,7 +1933,7 @@ const opDescribeEvents = "DescribeEvents"
// DescribeEventsRequest generates a "aws/request.Request" representing the // DescribeEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEvents operation. The "output" return // client's request for the DescribeEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2065,7 +2065,7 @@ const opDescribeOrderableReplicationInstances = "DescribeOrderableReplicationIns
// DescribeOrderableReplicationInstancesRequest generates a "aws/request.Request" representing the // DescribeOrderableReplicationInstancesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeOrderableReplicationInstances operation. The "output" return // client's request for the DescribeOrderableReplicationInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2196,7 +2196,7 @@ const opDescribeRefreshSchemasStatus = "DescribeRefreshSchemasStatus"
// DescribeRefreshSchemasStatusRequest generates a "aws/request.Request" representing the // DescribeRefreshSchemasStatusRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRefreshSchemasStatus operation. The "output" return // client's request for the DescribeRefreshSchemasStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2279,7 +2279,7 @@ const opDescribeReplicationInstanceTaskLogs = "DescribeReplicationInstanceTaskLo
// DescribeReplicationInstanceTaskLogsRequest generates a "aws/request.Request" representing the // DescribeReplicationInstanceTaskLogsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReplicationInstanceTaskLogs operation. The "output" return // client's request for the DescribeReplicationInstanceTaskLogs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2418,7 +2418,7 @@ const opDescribeReplicationInstances = "DescribeReplicationInstances"
// DescribeReplicationInstancesRequest generates a "aws/request.Request" representing the // DescribeReplicationInstancesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReplicationInstances operation. The "output" return // client's request for the DescribeReplicationInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2554,7 +2554,7 @@ const opDescribeReplicationSubnetGroups = "DescribeReplicationSubnetGroups"
// DescribeReplicationSubnetGroupsRequest generates a "aws/request.Request" representing the // DescribeReplicationSubnetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReplicationSubnetGroups operation. The "output" return // client's request for the DescribeReplicationSubnetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2689,7 +2689,7 @@ const opDescribeReplicationTaskAssessmentResults = "DescribeReplicationTaskAsses
// DescribeReplicationTaskAssessmentResultsRequest generates a "aws/request.Request" representing the // DescribeReplicationTaskAssessmentResultsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReplicationTaskAssessmentResults operation. The "output" return // client's request for the DescribeReplicationTaskAssessmentResults operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2825,7 +2825,7 @@ const opDescribeReplicationTasks = "DescribeReplicationTasks"
// DescribeReplicationTasksRequest generates a "aws/request.Request" representing the // DescribeReplicationTasksRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReplicationTasks operation. The "output" return // client's request for the DescribeReplicationTasks operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2961,7 +2961,7 @@ const opDescribeSchemas = "DescribeSchemas"
// DescribeSchemasRequest generates a "aws/request.Request" representing the // DescribeSchemasRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSchemas operation. The "output" return // client's request for the DescribeSchemas operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3100,7 +3100,7 @@ const opDescribeTableStatistics = "DescribeTableStatistics"
// DescribeTableStatisticsRequest generates a "aws/request.Request" representing the // DescribeTableStatisticsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTableStatistics operation. The "output" return // client's request for the DescribeTableStatistics operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3244,7 +3244,7 @@ const opImportCertificate = "ImportCertificate"
// ImportCertificateRequest generates a "aws/request.Request" representing the // ImportCertificateRequest generates a "aws/request.Request" representing the
// client's request for the ImportCertificate operation. The "output" return // client's request for the ImportCertificate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3329,7 +3329,7 @@ const opListTagsForResource = "ListTagsForResource"
// ListTagsForResourceRequest generates a "aws/request.Request" representing the // ListTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForResource operation. The "output" return // client's request for the ListTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3408,7 +3408,7 @@ const opModifyEndpoint = "ModifyEndpoint"
// ModifyEndpointRequest generates a "aws/request.Request" representing the // ModifyEndpointRequest generates a "aws/request.Request" representing the
// client's request for the ModifyEndpoint operation. The "output" return // client's request for the ModifyEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3500,7 +3500,7 @@ const opModifyEventSubscription = "ModifyEventSubscription"
// ModifyEventSubscriptionRequest generates a "aws/request.Request" representing the // ModifyEventSubscriptionRequest generates a "aws/request.Request" representing the
// client's request for the ModifyEventSubscription operation. The "output" return // client's request for the ModifyEventSubscription operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3588,7 +3588,7 @@ const opModifyReplicationInstance = "ModifyReplicationInstance"
// ModifyReplicationInstanceRequest generates a "aws/request.Request" representing the // ModifyReplicationInstanceRequest generates a "aws/request.Request" representing the
// client's request for the ModifyReplicationInstance operation. The "output" return // client's request for the ModifyReplicationInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3687,7 +3687,7 @@ const opModifyReplicationSubnetGroup = "ModifyReplicationSubnetGroup"
// ModifyReplicationSubnetGroupRequest generates a "aws/request.Request" representing the // ModifyReplicationSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the ModifyReplicationSubnetGroup operation. The "output" return // client's request for the ModifyReplicationSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3782,7 +3782,7 @@ const opModifyReplicationTask = "ModifyReplicationTask"
// ModifyReplicationTaskRequest generates a "aws/request.Request" representing the // ModifyReplicationTaskRequest generates a "aws/request.Request" representing the
// client's request for the ModifyReplicationTask operation. The "output" return // client's request for the ModifyReplicationTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3877,7 +3877,7 @@ const opRebootReplicationInstance = "RebootReplicationInstance"
// RebootReplicationInstanceRequest generates a "aws/request.Request" representing the // RebootReplicationInstanceRequest generates a "aws/request.Request" representing the
// client's request for the RebootReplicationInstance operation. The "output" return // client's request for the RebootReplicationInstance operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3961,7 +3961,7 @@ const opRefreshSchemas = "RefreshSchemas"
// RefreshSchemasRequest generates a "aws/request.Request" representing the // RefreshSchemasRequest generates a "aws/request.Request" representing the
// client's request for the RefreshSchemas operation. The "output" return // client's request for the RefreshSchemas operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4052,7 +4052,7 @@ const opReloadTables = "ReloadTables"
// ReloadTablesRequest generates a "aws/request.Request" representing the // ReloadTablesRequest generates a "aws/request.Request" representing the
// client's request for the ReloadTables operation. The "output" return // client's request for the ReloadTables operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4135,7 +4135,7 @@ const opRemoveTagsFromResource = "RemoveTagsFromResource"
// RemoveTagsFromResourceRequest generates a "aws/request.Request" representing the // RemoveTagsFromResourceRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTagsFromResource operation. The "output" return // client's request for the RemoveTagsFromResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4214,7 +4214,7 @@ const opStartReplicationTask = "StartReplicationTask"
// StartReplicationTaskRequest generates a "aws/request.Request" representing the // StartReplicationTaskRequest generates a "aws/request.Request" representing the
// client's request for the StartReplicationTask operation. The "output" return // client's request for the StartReplicationTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4300,7 +4300,7 @@ const opStartReplicationTaskAssessment = "StartReplicationTaskAssessment"
// StartReplicationTaskAssessmentRequest generates a "aws/request.Request" representing the // StartReplicationTaskAssessmentRequest generates a "aws/request.Request" representing the
// client's request for the StartReplicationTaskAssessment operation. The "output" return // client's request for the StartReplicationTaskAssessment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4384,7 +4384,7 @@ const opStopReplicationTask = "StopReplicationTask"
// StopReplicationTaskRequest generates a "aws/request.Request" representing the // StopReplicationTaskRequest generates a "aws/request.Request" representing the
// client's request for the StopReplicationTask operation. The "output" return // client's request for the StopReplicationTask operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4467,7 +4467,7 @@ const opTestConnection = "TestConnection"
// TestConnectionRequest generates a "aws/request.Request" representing the // TestConnectionRequest generates a "aws/request.Request" representing the
// client's request for the TestConnection operation. The "output" return // client's request for the TestConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -14,7 +14,7 @@ const opCreateCluster = "CreateCluster"
// CreateClusterRequest generates a "aws/request.Request" representing the // CreateClusterRequest generates a "aws/request.Request" representing the
// client's request for the CreateCluster operation. The "output" return // client's request for the CreateCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -132,7 +132,7 @@ const opCreateParameterGroup = "CreateParameterGroup"
// CreateParameterGroupRequest generates a "aws/request.Request" representing the // CreateParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateParameterGroup operation. The "output" return // client's request for the CreateParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -224,7 +224,7 @@ const opCreateSubnetGroup = "CreateSubnetGroup"
// CreateSubnetGroupRequest generates a "aws/request.Request" representing the // CreateSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateSubnetGroup operation. The "output" return // client's request for the CreateSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -314,7 +314,7 @@ const opDecreaseReplicationFactor = "DecreaseReplicationFactor"
// DecreaseReplicationFactorRequest generates a "aws/request.Request" representing the // DecreaseReplicationFactorRequest generates a "aws/request.Request" representing the
// client's request for the DecreaseReplicationFactor operation. The "output" return // client's request for the DecreaseReplicationFactor operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -408,7 +408,7 @@ const opDeleteCluster = "DeleteCluster"
// DeleteClusterRequest generates a "aws/request.Request" representing the // DeleteClusterRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCluster operation. The "output" return // client's request for the DeleteCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -499,7 +499,7 @@ const opDeleteParameterGroup = "DeleteParameterGroup"
// DeleteParameterGroupRequest generates a "aws/request.Request" representing the // DeleteParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteParameterGroup operation. The "output" return // client's request for the DeleteParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -588,7 +588,7 @@ const opDeleteSubnetGroup = "DeleteSubnetGroup"
// DeleteSubnetGroupRequest generates a "aws/request.Request" representing the // DeleteSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteSubnetGroup operation. The "output" return // client's request for the DeleteSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -672,7 +672,7 @@ const opDescribeClusters = "DescribeClusters"
// DescribeClustersRequest generates a "aws/request.Request" representing the // DescribeClustersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeClusters operation. The "output" return // client's request for the DescribeClusters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -773,7 +773,7 @@ const opDescribeDefaultParameters = "DescribeDefaultParameters"
// DescribeDefaultParametersRequest generates a "aws/request.Request" representing the // DescribeDefaultParametersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDefaultParameters operation. The "output" return // client's request for the DescribeDefaultParameters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -855,7 +855,7 @@ const opDescribeEvents = "DescribeEvents"
// DescribeEventsRequest generates a "aws/request.Request" representing the // DescribeEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEvents operation. The "output" return // client's request for the DescribeEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -942,7 +942,7 @@ const opDescribeParameterGroups = "DescribeParameterGroups"
// DescribeParameterGroupsRequest generates a "aws/request.Request" representing the // DescribeParameterGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeParameterGroups operation. The "output" return // client's request for the DescribeParameterGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1028,7 +1028,7 @@ const opDescribeParameters = "DescribeParameters"
// DescribeParametersRequest generates a "aws/request.Request" representing the // DescribeParametersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeParameters operation. The "output" return // client's request for the DescribeParameters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1113,7 +1113,7 @@ const opDescribeSubnetGroups = "DescribeSubnetGroups"
// DescribeSubnetGroupsRequest generates a "aws/request.Request" representing the // DescribeSubnetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSubnetGroups operation. The "output" return // client's request for the DescribeSubnetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1193,7 +1193,7 @@ const opIncreaseReplicationFactor = "IncreaseReplicationFactor"
// IncreaseReplicationFactorRequest generates a "aws/request.Request" representing the // IncreaseReplicationFactorRequest generates a "aws/request.Request" representing the
// client's request for the IncreaseReplicationFactor operation. The "output" return // client's request for the IncreaseReplicationFactor operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1294,7 +1294,7 @@ const opListTags = "ListTags"
// ListTagsRequest generates a "aws/request.Request" representing the // ListTagsRequest generates a "aws/request.Request" representing the
// client's request for the ListTags operation. The "output" return // client's request for the ListTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1386,7 +1386,7 @@ const opRebootNode = "RebootNode"
// RebootNodeRequest generates a "aws/request.Request" representing the // RebootNodeRequest generates a "aws/request.Request" representing the
// client's request for the RebootNode operation. The "output" return // client's request for the RebootNode operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1478,7 +1478,7 @@ const opTagResource = "TagResource"
// TagResourceRequest generates a "aws/request.Request" representing the // TagResourceRequest generates a "aws/request.Request" representing the
// client's request for the TagResource operation. The "output" return // client's request for the TagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1573,7 +1573,7 @@ const opUntagResource = "UntagResource"
// UntagResourceRequest generates a "aws/request.Request" representing the // UntagResourceRequest generates a "aws/request.Request" representing the
// client's request for the UntagResource operation. The "output" return // client's request for the UntagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1668,7 +1668,7 @@ const opUpdateCluster = "UpdateCluster"
// UpdateClusterRequest generates a "aws/request.Request" representing the // UpdateClusterRequest generates a "aws/request.Request" representing the
// client's request for the UpdateCluster operation. The "output" return // client's request for the UpdateCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1764,7 +1764,7 @@ const opUpdateParameterGroup = "UpdateParameterGroup"
// UpdateParameterGroupRequest generates a "aws/request.Request" representing the // UpdateParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the UpdateParameterGroup operation. The "output" return // client's request for the UpdateParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1853,7 +1853,7 @@ const opUpdateSubnetGroup = "UpdateSubnetGroup"
// UpdateSubnetGroupRequest generates a "aws/request.Request" representing the // UpdateSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the UpdateSubnetGroup operation. The "output" return // client's request for the UpdateSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

File diff suppressed because it is too large Load Diff

View File

@ -15,7 +15,7 @@ const opAllocateConnectionOnInterconnect = "AllocateConnectionOnInterconnect"
// AllocateConnectionOnInterconnectRequest generates a "aws/request.Request" representing the // AllocateConnectionOnInterconnectRequest generates a "aws/request.Request" representing the
// client's request for the AllocateConnectionOnInterconnect operation. The "output" return // client's request for the AllocateConnectionOnInterconnect operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -109,7 +109,7 @@ const opAllocateHostedConnection = "AllocateHostedConnection"
// AllocateHostedConnectionRequest generates a "aws/request.Request" representing the // AllocateHostedConnectionRequest generates a "aws/request.Request" representing the
// client's request for the AllocateHostedConnection operation. The "output" return // client's request for the AllocateHostedConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -199,7 +199,7 @@ const opAllocatePrivateVirtualInterface = "AllocatePrivateVirtualInterface"
// AllocatePrivateVirtualInterfaceRequest generates a "aws/request.Request" representing the // AllocatePrivateVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the AllocatePrivateVirtualInterface operation. The "output" return // client's request for the AllocatePrivateVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -288,7 +288,7 @@ const opAllocatePublicVirtualInterface = "AllocatePublicVirtualInterface"
// AllocatePublicVirtualInterfaceRequest generates a "aws/request.Request" representing the // AllocatePublicVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the AllocatePublicVirtualInterface operation. The "output" return // client's request for the AllocatePublicVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -384,7 +384,7 @@ const opAssociateConnectionWithLag = "AssociateConnectionWithLag"
// AssociateConnectionWithLagRequest generates a "aws/request.Request" representing the // AssociateConnectionWithLagRequest generates a "aws/request.Request" representing the
// client's request for the AssociateConnectionWithLag operation. The "output" return // client's request for the AssociateConnectionWithLag operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -484,7 +484,7 @@ const opAssociateHostedConnection = "AssociateHostedConnection"
// AssociateHostedConnectionRequest generates a "aws/request.Request" representing the // AssociateHostedConnectionRequest generates a "aws/request.Request" representing the
// client's request for the AssociateHostedConnection operation. The "output" return // client's request for the AssociateHostedConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -574,7 +574,7 @@ const opAssociateVirtualInterface = "AssociateVirtualInterface"
// AssociateVirtualInterfaceRequest generates a "aws/request.Request" representing the // AssociateVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the AssociateVirtualInterface operation. The "output" return // client's request for the AssociateVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -672,7 +672,7 @@ const opConfirmConnection = "ConfirmConnection"
// ConfirmConnectionRequest generates a "aws/request.Request" representing the // ConfirmConnectionRequest generates a "aws/request.Request" representing the
// client's request for the ConfirmConnection operation. The "output" return // client's request for the ConfirmConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -760,7 +760,7 @@ const opConfirmPrivateVirtualInterface = "ConfirmPrivateVirtualInterface"
// ConfirmPrivateVirtualInterfaceRequest generates a "aws/request.Request" representing the // ConfirmPrivateVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the ConfirmPrivateVirtualInterface operation. The "output" return // client's request for the ConfirmPrivateVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -848,7 +848,7 @@ const opConfirmPublicVirtualInterface = "ConfirmPublicVirtualInterface"
// ConfirmPublicVirtualInterfaceRequest generates a "aws/request.Request" representing the // ConfirmPublicVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the ConfirmPublicVirtualInterface operation. The "output" return // client's request for the ConfirmPublicVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -935,7 +935,7 @@ const opCreateBGPPeer = "CreateBGPPeer"
// CreateBGPPeerRequest generates a "aws/request.Request" representing the // CreateBGPPeerRequest generates a "aws/request.Request" representing the
// client's request for the CreateBGPPeer operation. The "output" return // client's request for the CreateBGPPeer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1031,7 +1031,7 @@ const opCreateConnection = "CreateConnection"
// CreateConnectionRequest generates a "aws/request.Request" representing the // CreateConnectionRequest generates a "aws/request.Request" representing the
// client's request for the CreateConnection operation. The "output" return // client's request for the CreateConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1132,7 +1132,7 @@ const opCreateDirectConnectGateway = "CreateDirectConnectGateway"
// CreateDirectConnectGatewayRequest generates a "aws/request.Request" representing the // CreateDirectConnectGatewayRequest generates a "aws/request.Request" representing the
// client's request for the CreateDirectConnectGateway operation. The "output" return // client's request for the CreateDirectConnectGateway operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1223,7 +1223,7 @@ const opCreateDirectConnectGatewayAssociation = "CreateDirectConnectGatewayAssoc
// CreateDirectConnectGatewayAssociationRequest generates a "aws/request.Request" representing the // CreateDirectConnectGatewayAssociationRequest generates a "aws/request.Request" representing the
// client's request for the CreateDirectConnectGatewayAssociation operation. The "output" return // client's request for the CreateDirectConnectGatewayAssociation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1309,7 +1309,7 @@ const opCreateInterconnect = "CreateInterconnect"
// CreateInterconnectRequest generates a "aws/request.Request" representing the // CreateInterconnectRequest generates a "aws/request.Request" representing the
// client's request for the CreateInterconnect operation. The "output" return // client's request for the CreateInterconnect operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1416,7 +1416,7 @@ const opCreateLag = "CreateLag"
// CreateLagRequest generates a "aws/request.Request" representing the // CreateLagRequest generates a "aws/request.Request" representing the
// client's request for the CreateLag operation. The "output" return // client's request for the CreateLag operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1524,7 +1524,7 @@ const opCreatePrivateVirtualInterface = "CreatePrivateVirtualInterface"
// CreatePrivateVirtualInterfaceRequest generates a "aws/request.Request" representing the // CreatePrivateVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the CreatePrivateVirtualInterface operation. The "output" return // client's request for the CreatePrivateVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1610,7 +1610,7 @@ const opCreatePublicVirtualInterface = "CreatePublicVirtualInterface"
// CreatePublicVirtualInterfaceRequest generates a "aws/request.Request" representing the // CreatePublicVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the CreatePublicVirtualInterface operation. The "output" return // client's request for the CreatePublicVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1701,7 +1701,7 @@ const opDeleteBGPPeer = "DeleteBGPPeer"
// DeleteBGPPeerRequest generates a "aws/request.Request" representing the // DeleteBGPPeerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteBGPPeer operation. The "output" return // client's request for the DeleteBGPPeer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1787,7 +1787,7 @@ const opDeleteConnection = "DeleteConnection"
// DeleteConnectionRequest generates a "aws/request.Request" representing the // DeleteConnectionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteConnection operation. The "output" return // client's request for the DeleteConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1876,7 +1876,7 @@ const opDeleteDirectConnectGateway = "DeleteDirectConnectGateway"
// DeleteDirectConnectGatewayRequest generates a "aws/request.Request" representing the // DeleteDirectConnectGatewayRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDirectConnectGateway operation. The "output" return // client's request for the DeleteDirectConnectGateway operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1962,7 +1962,7 @@ const opDeleteDirectConnectGatewayAssociation = "DeleteDirectConnectGatewayAssoc
// DeleteDirectConnectGatewayAssociationRequest generates a "aws/request.Request" representing the // DeleteDirectConnectGatewayAssociationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDirectConnectGatewayAssociation operation. The "output" return // client's request for the DeleteDirectConnectGatewayAssociation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2047,7 +2047,7 @@ const opDeleteInterconnect = "DeleteInterconnect"
// DeleteInterconnectRequest generates a "aws/request.Request" representing the // DeleteInterconnectRequest generates a "aws/request.Request" representing the
// client's request for the DeleteInterconnect operation. The "output" return // client's request for the DeleteInterconnect operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2133,7 +2133,7 @@ const opDeleteLag = "DeleteLag"
// DeleteLagRequest generates a "aws/request.Request" representing the // DeleteLagRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLag operation. The "output" return // client's request for the DeleteLag operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2218,7 +2218,7 @@ const opDeleteVirtualInterface = "DeleteVirtualInterface"
// DeleteVirtualInterfaceRequest generates a "aws/request.Request" representing the // DeleteVirtualInterfaceRequest generates a "aws/request.Request" representing the
// client's request for the DeleteVirtualInterface operation. The "output" return // client's request for the DeleteVirtualInterface operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2302,7 +2302,7 @@ const opDescribeConnectionLoa = "DescribeConnectionLoa"
// DescribeConnectionLoaRequest generates a "aws/request.Request" representing the // DescribeConnectionLoaRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConnectionLoa operation. The "output" return // client's request for the DescribeConnectionLoa operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2397,7 +2397,7 @@ const opDescribeConnections = "DescribeConnections"
// DescribeConnectionsRequest generates a "aws/request.Request" representing the // DescribeConnectionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConnections operation. The "output" return // client's request for the DescribeConnections operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2483,7 +2483,7 @@ const opDescribeConnectionsOnInterconnect = "DescribeConnectionsOnInterconnect"
// DescribeConnectionsOnInterconnectRequest generates a "aws/request.Request" representing the // DescribeConnectionsOnInterconnectRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConnectionsOnInterconnect operation. The "output" return // client's request for the DescribeConnectionsOnInterconnect operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2574,7 +2574,7 @@ const opDescribeDirectConnectGatewayAssociations = "DescribeDirectConnectGateway
// DescribeDirectConnectGatewayAssociationsRequest generates a "aws/request.Request" representing the // DescribeDirectConnectGatewayAssociationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDirectConnectGatewayAssociations operation. The "output" return // client's request for the DescribeDirectConnectGatewayAssociations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2664,7 +2664,7 @@ const opDescribeDirectConnectGatewayAttachments = "DescribeDirectConnectGatewayA
// DescribeDirectConnectGatewayAttachmentsRequest generates a "aws/request.Request" representing the // DescribeDirectConnectGatewayAttachmentsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDirectConnectGatewayAttachments operation. The "output" return // client's request for the DescribeDirectConnectGatewayAttachments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2754,7 +2754,7 @@ const opDescribeDirectConnectGateways = "DescribeDirectConnectGateways"
// DescribeDirectConnectGatewaysRequest generates a "aws/request.Request" representing the // DescribeDirectConnectGatewaysRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDirectConnectGateways operation. The "output" return // client's request for the DescribeDirectConnectGateways operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2842,7 +2842,7 @@ const opDescribeHostedConnections = "DescribeHostedConnections"
// DescribeHostedConnectionsRequest generates a "aws/request.Request" representing the // DescribeHostedConnectionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeHostedConnections operation. The "output" return // client's request for the DescribeHostedConnections operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2929,7 +2929,7 @@ const opDescribeInterconnectLoa = "DescribeInterconnectLoa"
// DescribeInterconnectLoaRequest generates a "aws/request.Request" representing the // DescribeInterconnectLoaRequest generates a "aws/request.Request" representing the
// client's request for the DescribeInterconnectLoa operation. The "output" return // client's request for the DescribeInterconnectLoa operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3024,7 +3024,7 @@ const opDescribeInterconnects = "DescribeInterconnects"
// DescribeInterconnectsRequest generates a "aws/request.Request" representing the // DescribeInterconnectsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeInterconnects operation. The "output" return // client's request for the DescribeInterconnects operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3110,7 +3110,7 @@ const opDescribeLags = "DescribeLags"
// DescribeLagsRequest generates a "aws/request.Request" representing the // DescribeLagsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLags operation. The "output" return // client's request for the DescribeLags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3196,7 +3196,7 @@ const opDescribeLoa = "DescribeLoa"
// DescribeLoaRequest generates a "aws/request.Request" representing the // DescribeLoaRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoa operation. The "output" return // client's request for the DescribeLoa operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3287,7 +3287,7 @@ const opDescribeLocations = "DescribeLocations"
// DescribeLocationsRequest generates a "aws/request.Request" representing the // DescribeLocationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLocations operation. The "output" return // client's request for the DescribeLocations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3373,7 +3373,7 @@ const opDescribeTags = "DescribeTags"
// DescribeTagsRequest generates a "aws/request.Request" representing the // DescribeTagsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTags operation. The "output" return // client's request for the DescribeTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3457,7 +3457,7 @@ const opDescribeVirtualGateways = "DescribeVirtualGateways"
// DescribeVirtualGatewaysRequest generates a "aws/request.Request" representing the // DescribeVirtualGatewaysRequest generates a "aws/request.Request" representing the
// client's request for the DescribeVirtualGateways operation. The "output" return // client's request for the DescribeVirtualGateways operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3547,7 +3547,7 @@ const opDescribeVirtualInterfaces = "DescribeVirtualInterfaces"
// DescribeVirtualInterfacesRequest generates a "aws/request.Request" representing the // DescribeVirtualInterfacesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeVirtualInterfaces operation. The "output" return // client's request for the DescribeVirtualInterfaces operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3638,7 +3638,7 @@ const opDisassociateConnectionFromLag = "DisassociateConnectionFromLag"
// DisassociateConnectionFromLagRequest generates a "aws/request.Request" representing the // DisassociateConnectionFromLagRequest generates a "aws/request.Request" representing the
// client's request for the DisassociateConnectionFromLag operation. The "output" return // client's request for the DisassociateConnectionFromLag operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3732,7 +3732,7 @@ const opTagResource = "TagResource"
// TagResourceRequest generates a "aws/request.Request" representing the // TagResourceRequest generates a "aws/request.Request" representing the
// client's request for the TagResource operation. The "output" return // client's request for the TagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3828,7 +3828,7 @@ const opUntagResource = "UntagResource"
// UntagResourceRequest generates a "aws/request.Request" representing the // UntagResourceRequest generates a "aws/request.Request" representing the
// client's request for the UntagResource operation. The "output" return // client's request for the UntagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3912,7 +3912,7 @@ const opUpdateLag = "UpdateLag"
// UpdateLagRequest generates a "aws/request.Request" representing the // UpdateLagRequest generates a "aws/request.Request" representing the
// client's request for the UpdateLag operation. The "output" return // client's request for the UpdateLag operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -15,7 +15,7 @@ const opAddIpRoutes = "AddIpRoutes"
// AddIpRoutesRequest generates a "aws/request.Request" representing the // AddIpRoutesRequest generates a "aws/request.Request" representing the
// client's request for the AddIpRoutes operation. The "output" return // client's request for the AddIpRoutes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -122,7 +122,7 @@ const opAddTagsToResource = "AddTagsToResource"
// AddTagsToResourceRequest generates a "aws/request.Request" representing the // AddTagsToResourceRequest generates a "aws/request.Request" representing the
// client's request for the AddTagsToResource operation. The "output" return // client's request for the AddTagsToResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -215,7 +215,7 @@ const opCancelSchemaExtension = "CancelSchemaExtension"
// CancelSchemaExtensionRequest generates a "aws/request.Request" representing the // CancelSchemaExtensionRequest generates a "aws/request.Request" representing the
// client's request for the CancelSchemaExtension operation. The "output" return // client's request for the CancelSchemaExtension operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -303,7 +303,7 @@ const opConnectDirectory = "ConnectDirectory"
// ConnectDirectoryRequest generates a "aws/request.Request" representing the // ConnectDirectoryRequest generates a "aws/request.Request" representing the
// client's request for the ConnectDirectory operation. The "output" return // client's request for the ConnectDirectory operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -398,7 +398,7 @@ const opCreateAlias = "CreateAlias"
// CreateAliasRequest generates a "aws/request.Request" representing the // CreateAliasRequest generates a "aws/request.Request" representing the
// client's request for the CreateAlias operation. The "output" return // client's request for the CreateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -494,7 +494,7 @@ const opCreateComputer = "CreateComputer"
// CreateComputerRequest generates a "aws/request.Request" representing the // CreateComputerRequest generates a "aws/request.Request" representing the
// client's request for the CreateComputer operation. The "output" return // client's request for the CreateComputer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -595,7 +595,7 @@ const opCreateConditionalForwarder = "CreateConditionalForwarder"
// CreateConditionalForwarderRequest generates a "aws/request.Request" representing the // CreateConditionalForwarderRequest generates a "aws/request.Request" representing the
// client's request for the CreateConditionalForwarder operation. The "output" return // client's request for the CreateConditionalForwarder operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -694,7 +694,7 @@ const opCreateDirectory = "CreateDirectory"
// CreateDirectoryRequest generates a "aws/request.Request" representing the // CreateDirectoryRequest generates a "aws/request.Request" representing the
// client's request for the CreateDirectory operation. The "output" return // client's request for the CreateDirectory operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -789,7 +789,7 @@ const opCreateMicrosoftAD = "CreateMicrosoftAD"
// CreateMicrosoftADRequest generates a "aws/request.Request" representing the // CreateMicrosoftADRequest generates a "aws/request.Request" representing the
// client's request for the CreateMicrosoftAD operation. The "output" return // client's request for the CreateMicrosoftAD operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -887,7 +887,7 @@ const opCreateSnapshot = "CreateSnapshot"
// CreateSnapshotRequest generates a "aws/request.Request" representing the // CreateSnapshotRequest generates a "aws/request.Request" representing the
// client's request for the CreateSnapshot operation. The "output" return // client's request for the CreateSnapshot operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -982,7 +982,7 @@ const opCreateTrust = "CreateTrust"
// CreateTrustRequest generates a "aws/request.Request" representing the // CreateTrustRequest generates a "aws/request.Request" representing the
// client's request for the CreateTrust operation. The "output" return // client's request for the CreateTrust operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1083,7 +1083,7 @@ const opDeleteConditionalForwarder = "DeleteConditionalForwarder"
// DeleteConditionalForwarderRequest generates a "aws/request.Request" representing the // DeleteConditionalForwarderRequest generates a "aws/request.Request" representing the
// client's request for the DeleteConditionalForwarder operation. The "output" return // client's request for the DeleteConditionalForwarder operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1177,7 +1177,7 @@ const opDeleteDirectory = "DeleteDirectory"
// DeleteDirectoryRequest generates a "aws/request.Request" representing the // DeleteDirectoryRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDirectory operation. The "output" return // client's request for the DeleteDirectory operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1267,7 +1267,7 @@ const opDeleteSnapshot = "DeleteSnapshot"
// DeleteSnapshotRequest generates a "aws/request.Request" representing the // DeleteSnapshotRequest generates a "aws/request.Request" representing the
// client's request for the DeleteSnapshot operation. The "output" return // client's request for the DeleteSnapshot operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1355,7 +1355,7 @@ const opDeleteTrust = "DeleteTrust"
// DeleteTrustRequest generates a "aws/request.Request" representing the // DeleteTrustRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTrust operation. The "output" return // client's request for the DeleteTrust operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1447,7 +1447,7 @@ const opDeregisterEventTopic = "DeregisterEventTopic"
// DeregisterEventTopicRequest generates a "aws/request.Request" representing the // DeregisterEventTopicRequest generates a "aws/request.Request" representing the
// client's request for the DeregisterEventTopic operation. The "output" return // client's request for the DeregisterEventTopic operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1535,7 +1535,7 @@ const opDescribeConditionalForwarders = "DescribeConditionalForwarders"
// DescribeConditionalForwardersRequest generates a "aws/request.Request" representing the // DescribeConditionalForwardersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConditionalForwarders operation. The "output" return // client's request for the DescribeConditionalForwarders operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1632,7 +1632,7 @@ const opDescribeDirectories = "DescribeDirectories"
// DescribeDirectoriesRequest generates a "aws/request.Request" representing the // DescribeDirectoriesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDirectories operation. The "output" return // client's request for the DescribeDirectories operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1734,7 +1734,7 @@ const opDescribeDomainControllers = "DescribeDomainControllers"
// DescribeDomainControllersRequest generates a "aws/request.Request" representing the // DescribeDomainControllersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDomainControllers operation. The "output" return // client's request for the DescribeDomainControllers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1884,7 +1884,7 @@ const opDescribeEventTopics = "DescribeEventTopics"
// DescribeEventTopicsRequest generates a "aws/request.Request" representing the // DescribeEventTopicsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEventTopics operation. The "output" return // client's request for the DescribeEventTopics operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1976,7 +1976,7 @@ const opDescribeSnapshots = "DescribeSnapshots"
// DescribeSnapshotsRequest generates a "aws/request.Request" representing the // DescribeSnapshotsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSnapshots operation. The "output" return // client's request for the DescribeSnapshots operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2074,7 +2074,7 @@ const opDescribeTrusts = "DescribeTrusts"
// DescribeTrustsRequest generates a "aws/request.Request" representing the // DescribeTrustsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTrusts operation. The "output" return // client's request for the DescribeTrusts operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2171,7 +2171,7 @@ const opDisableRadius = "DisableRadius"
// DisableRadiusRequest generates a "aws/request.Request" representing the // DisableRadiusRequest generates a "aws/request.Request" representing the
// client's request for the DisableRadius operation. The "output" return // client's request for the DisableRadius operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2257,7 +2257,7 @@ const opDisableSso = "DisableSso"
// DisableSsoRequest generates a "aws/request.Request" representing the // DisableSsoRequest generates a "aws/request.Request" representing the
// client's request for the DisableSso operation. The "output" return // client's request for the DisableSso operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2348,7 +2348,7 @@ const opEnableRadius = "EnableRadius"
// EnableRadiusRequest generates a "aws/request.Request" representing the // EnableRadiusRequest generates a "aws/request.Request" representing the
// client's request for the EnableRadius operation. The "output" return // client's request for the EnableRadius operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2440,7 +2440,7 @@ const opEnableSso = "EnableSso"
// EnableSsoRequest generates a "aws/request.Request" representing the // EnableSsoRequest generates a "aws/request.Request" representing the
// client's request for the EnableSso operation. The "output" return // client's request for the EnableSso operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2531,7 +2531,7 @@ const opGetDirectoryLimits = "GetDirectoryLimits"
// GetDirectoryLimitsRequest generates a "aws/request.Request" representing the // GetDirectoryLimitsRequest generates a "aws/request.Request" representing the
// client's request for the GetDirectoryLimits operation. The "output" return // client's request for the GetDirectoryLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2616,7 +2616,7 @@ const opGetSnapshotLimits = "GetSnapshotLimits"
// GetSnapshotLimitsRequest generates a "aws/request.Request" representing the // GetSnapshotLimitsRequest generates a "aws/request.Request" representing the
// client's request for the GetSnapshotLimits operation. The "output" return // client's request for the GetSnapshotLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2701,7 +2701,7 @@ const opListIpRoutes = "ListIpRoutes"
// ListIpRoutesRequest generates a "aws/request.Request" representing the // ListIpRoutesRequest generates a "aws/request.Request" representing the
// client's request for the ListIpRoutes operation. The "output" return // client's request for the ListIpRoutes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2792,7 +2792,7 @@ const opListSchemaExtensions = "ListSchemaExtensions"
// ListSchemaExtensionsRequest generates a "aws/request.Request" representing the // ListSchemaExtensionsRequest generates a "aws/request.Request" representing the
// client's request for the ListSchemaExtensions operation. The "output" return // client's request for the ListSchemaExtensions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2880,7 +2880,7 @@ const opListTagsForResource = "ListTagsForResource"
// ListTagsForResourceRequest generates a "aws/request.Request" representing the // ListTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForResource operation. The "output" return // client's request for the ListTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2971,7 +2971,7 @@ const opRegisterEventTopic = "RegisterEventTopic"
// RegisterEventTopicRequest generates a "aws/request.Request" representing the // RegisterEventTopicRequest generates a "aws/request.Request" representing the
// client's request for the RegisterEventTopic operation. The "output" return // client's request for the RegisterEventTopic operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3064,7 +3064,7 @@ const opRemoveIpRoutes = "RemoveIpRoutes"
// RemoveIpRoutesRequest generates a "aws/request.Request" representing the // RemoveIpRoutesRequest generates a "aws/request.Request" representing the
// client's request for the RemoveIpRoutes operation. The "output" return // client's request for the RemoveIpRoutes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3155,7 +3155,7 @@ const opRemoveTagsFromResource = "RemoveTagsFromResource"
// RemoveTagsFromResourceRequest generates a "aws/request.Request" representing the // RemoveTagsFromResourceRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTagsFromResource operation. The "output" return // client's request for the RemoveTagsFromResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3243,7 +3243,7 @@ const opRestoreFromSnapshot = "RestoreFromSnapshot"
// RestoreFromSnapshotRequest generates a "aws/request.Request" representing the // RestoreFromSnapshotRequest generates a "aws/request.Request" representing the
// client's request for the RestoreFromSnapshot operation. The "output" return // client's request for the RestoreFromSnapshot operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3339,7 +3339,7 @@ const opStartSchemaExtension = "StartSchemaExtension"
// StartSchemaExtensionRequest generates a "aws/request.Request" representing the // StartSchemaExtensionRequest generates a "aws/request.Request" representing the
// client's request for the StartSchemaExtension operation. The "output" return // client's request for the StartSchemaExtension operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3435,7 +3435,7 @@ const opUpdateConditionalForwarder = "UpdateConditionalForwarder"
// UpdateConditionalForwarderRequest generates a "aws/request.Request" representing the // UpdateConditionalForwarderRequest generates a "aws/request.Request" representing the
// client's request for the UpdateConditionalForwarder operation. The "output" return // client's request for the UpdateConditionalForwarder operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3529,7 +3529,7 @@ const opUpdateNumberOfDomainControllers = "UpdateNumberOfDomainControllers"
// UpdateNumberOfDomainControllersRequest generates a "aws/request.Request" representing the // UpdateNumberOfDomainControllersRequest generates a "aws/request.Request" representing the
// client's request for the UpdateNumberOfDomainControllers operation. The "output" return // client's request for the UpdateNumberOfDomainControllers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3632,7 +3632,7 @@ const opUpdateRadius = "UpdateRadius"
// UpdateRadiusRequest generates a "aws/request.Request" representing the // UpdateRadiusRequest generates a "aws/request.Request" representing the
// client's request for the UpdateRadius operation. The "output" return // client's request for the UpdateRadius operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3721,7 +3721,7 @@ const opVerifyTrust = "VerifyTrust"
// VerifyTrustRequest generates a "aws/request.Request" representing the // VerifyTrustRequest generates a "aws/request.Request" representing the
// client's request for the VerifyTrust operation. The "output" return // client's request for the VerifyTrust operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

File diff suppressed because it is too large Load Diff

View File

@ -47,6 +47,13 @@ const (
// An error occurred on the server side. // An error occurred on the server side.
ErrCodeInternalServerError = "InternalServerError" ErrCodeInternalServerError = "InternalServerError"
// ErrCodeInvalidRestoreTimeException for service response error code
// "InvalidRestoreTimeException".
//
// An invalid restore time was specified. RestoreDateTime must be between EarliestRestorableDateTime
// and LatestRestorableDateTime.
ErrCodeInvalidRestoreTimeException = "InvalidRestoreTimeException"
// ErrCodeItemCollectionSizeLimitExceededException for service response error code // ErrCodeItemCollectionSizeLimitExceededException for service response error code
// "ItemCollectionSizeLimitExceededException". // "ItemCollectionSizeLimitExceededException".
// //
@ -61,13 +68,8 @@ const (
// is no limit to the number of daily on-demand backups that can be taken. // is no limit to the number of daily on-demand backups that can be taken.
// //
// Up to 10 simultaneous table operations are allowed per account. These operations // Up to 10 simultaneous table operations are allowed per account. These operations
// include CreateTable, UpdateTable, DeleteTable,UpdateTimeToLive, and RestoreTableFromBackup. // include CreateTable, UpdateTable, DeleteTable,UpdateTimeToLive, RestoreTableFromBackup,
// // and RestoreTableToPointInTime.
// For tables with secondary indexes, only one of those tables can be in the
// CREATING state at any point in time. Do not attempt to create more than one
// such table simultaneously.
//
// The total limit of tables in the ACTIVE state is 250.
// //
// For tables with secondary indexes, only one of those tables can be in the // For tables with secondary indexes, only one of those tables can be in the
// CREATING state at any point in time. Do not attempt to create more than one // CREATING state at any point in time. Do not attempt to create more than one
@ -76,6 +78,12 @@ const (
// The total limit of tables in the ACTIVE state is 250. // The total limit of tables in the ACTIVE state is 250.
ErrCodeLimitExceededException = "LimitExceededException" ErrCodeLimitExceededException = "LimitExceededException"
// ErrCodePointInTimeRecoveryUnavailableException for service response error code
// "PointInTimeRecoveryUnavailableException".
//
// Point in time recovery has not yet been enabled for this source table.
ErrCodePointInTimeRecoveryUnavailableException = "PointInTimeRecoveryUnavailableException"
// ErrCodeProvisionedThroughputExceededException for service response error code // ErrCodeProvisionedThroughputExceededException for service response error code
// "ProvisionedThroughputExceededException". // "ProvisionedThroughputExceededException".
// //
@ -117,19 +125,19 @@ const (
// ErrCodeTableAlreadyExistsException for service response error code // ErrCodeTableAlreadyExistsException for service response error code
// "TableAlreadyExistsException". // "TableAlreadyExistsException".
// //
// A table with the name already exists. // A target table with the specified name already exists.
ErrCodeTableAlreadyExistsException = "TableAlreadyExistsException" ErrCodeTableAlreadyExistsException = "TableAlreadyExistsException"
// ErrCodeTableInUseException for service response error code // ErrCodeTableInUseException for service response error code
// "TableInUseException". // "TableInUseException".
// //
// A table by that name is either being created or deleted. // A target table with the specified name is either being created or deleted.
ErrCodeTableInUseException = "TableInUseException" ErrCodeTableInUseException = "TableInUseException"
// ErrCodeTableNotFoundException for service response error code // ErrCodeTableNotFoundException for service response error code
// "TableNotFoundException". // "TableNotFoundException".
// //
// A table with the name TableName does not currently exist within the subscriber's // A source table with the name TableName does not currently exist within the
// account. // subscriber's account.
ErrCodeTableNotFoundException = "TableNotFoundException" ErrCodeTableNotFoundException = "TableNotFoundException"
) )

File diff suppressed because it is too large Load Diff

View File

@ -5,11 +5,64 @@ import (
"github.com/aws/aws-sdk-go/aws" "github.com/aws/aws-sdk-go/aws"
"github.com/aws/aws-sdk-go/aws/awsutil" "github.com/aws/aws-sdk-go/aws/awsutil"
"github.com/aws/aws-sdk-go/aws/client"
"github.com/aws/aws-sdk-go/aws/endpoints" "github.com/aws/aws-sdk-go/aws/endpoints"
"github.com/aws/aws-sdk-go/aws/request" "github.com/aws/aws-sdk-go/aws/request"
"github.com/aws/aws-sdk-go/internal/sdkrand"
) )
type retryer struct {
client.DefaultRetryer
}
func (d retryer) RetryRules(r *request.Request) time.Duration {
switch r.Operation.Name {
case opModifyNetworkInterfaceAttribute:
fallthrough
case opAssignPrivateIpAddresses:
return customRetryRule(r)
default:
return d.DefaultRetryer.RetryRules(r)
}
}
func customRetryRule(r *request.Request) time.Duration {
retryTimes := []time.Duration{
time.Second,
3 * time.Second,
5 * time.Second,
}
count := r.RetryCount
if count >= len(retryTimes) {
count = len(retryTimes) - 1
}
minTime := int(retryTimes[count])
return time.Duration(sdkrand.SeededRand.Intn(minTime) + minTime)
}
func setCustomRetryer(c *client.Client) {
maxRetries := aws.IntValue(c.Config.MaxRetries)
if c.Config.MaxRetries == nil || maxRetries == aws.UseServiceDefaultRetries {
maxRetries = 3
}
c.Retryer = retryer{
DefaultRetryer: client.DefaultRetryer{
NumMaxRetries: maxRetries,
},
}
}
func init() { func init() {
initClient = func(c *client.Client) {
if c.Config.Retryer == nil {
// Only override the retryer with a custom one if the config
// does not already contain a retryer
setCustomRetryer(c)
}
}
initRequest = func(r *request.Request) { initRequest = func(r *request.Request) {
if r.Operation.Name == opCopySnapshot { // fill the PresignedURL parameter if r.Operation.Name == opCopySnapshot { // fill the PresignedURL parameter
r.Handlers.Build.PushFront(fillPresignedURL) r.Handlers.Build.PushFront(fillPresignedURL)

View File

@ -14,7 +14,7 @@ const opBatchCheckLayerAvailability = "BatchCheckLayerAvailability"
// BatchCheckLayerAvailabilityRequest generates a "aws/request.Request" representing the // BatchCheckLayerAvailabilityRequest generates a "aws/request.Request" representing the
// client's request for the BatchCheckLayerAvailability operation. The "output" return // client's request for the BatchCheckLayerAvailability operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -106,7 +106,7 @@ const opBatchDeleteImage = "BatchDeleteImage"
// BatchDeleteImageRequest generates a "aws/request.Request" representing the // BatchDeleteImageRequest generates a "aws/request.Request" representing the
// client's request for the BatchDeleteImage operation. The "output" return // client's request for the BatchDeleteImage operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -201,7 +201,7 @@ const opBatchGetImage = "BatchGetImage"
// BatchGetImageRequest generates a "aws/request.Request" representing the // BatchGetImageRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetImage operation. The "output" return // client's request for the BatchGetImage operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -289,7 +289,7 @@ const opCompleteLayerUpload = "CompleteLayerUpload"
// CompleteLayerUploadRequest generates a "aws/request.Request" representing the // CompleteLayerUploadRequest generates a "aws/request.Request" representing the
// client's request for the CompleteLayerUpload operation. The "output" return // client's request for the CompleteLayerUpload operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -399,7 +399,7 @@ const opCreateRepository = "CreateRepository"
// CreateRepositoryRequest generates a "aws/request.Request" representing the // CreateRepositoryRequest generates a "aws/request.Request" representing the
// client's request for the CreateRepository operation. The "output" return // client's request for the CreateRepository operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -463,7 +463,7 @@ func (c *ECR) CreateRepositoryRequest(input *CreateRepositoryInput) (req *reques
// The operation did not succeed because it would have exceeded a service limit // The operation did not succeed because it would have exceeded a service limit
// for your account. For more information, see Amazon ECR Default Service Limits // for your account. For more information, see Amazon ECR Default Service Limits
// (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html) // (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html)
// in the Amazon EC2 Container Registry User Guide. // in the Amazon Elastic Container Registry User Guide.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21/CreateRepository // See also, https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21/CreateRepository
func (c *ECR) CreateRepository(input *CreateRepositoryInput) (*CreateRepositoryOutput, error) { func (c *ECR) CreateRepository(input *CreateRepositoryInput) (*CreateRepositoryOutput, error) {
@ -491,7 +491,7 @@ const opDeleteLifecyclePolicy = "DeleteLifecyclePolicy"
// DeleteLifecyclePolicyRequest generates a "aws/request.Request" representing the // DeleteLifecyclePolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLifecyclePolicy operation. The "output" return // client's request for the DeleteLifecyclePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -581,7 +581,7 @@ const opDeleteRepository = "DeleteRepository"
// DeleteRepositoryRequest generates a "aws/request.Request" representing the // DeleteRepositoryRequest generates a "aws/request.Request" representing the
// client's request for the DeleteRepository operation. The "output" return // client's request for the DeleteRepository operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -673,7 +673,7 @@ const opDeleteRepositoryPolicy = "DeleteRepositoryPolicy"
// DeleteRepositoryPolicyRequest generates a "aws/request.Request" representing the // DeleteRepositoryPolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteRepositoryPolicy operation. The "output" return // client's request for the DeleteRepositoryPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -764,7 +764,7 @@ const opDescribeImages = "DescribeImages"
// DescribeImagesRequest generates a "aws/request.Request" representing the // DescribeImagesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeImages operation. The "output" return // client's request for the DescribeImages operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -916,7 +916,7 @@ const opDescribeRepositories = "DescribeRepositories"
// DescribeRepositoriesRequest generates a "aws/request.Request" representing the // DescribeRepositoriesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRepositories operation. The "output" return // client's request for the DescribeRepositories operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1059,7 +1059,7 @@ const opGetAuthorizationToken = "GetAuthorizationToken"
// GetAuthorizationTokenRequest generates a "aws/request.Request" representing the // GetAuthorizationTokenRequest generates a "aws/request.Request" representing the
// client's request for the GetAuthorizationToken operation. The "output" return // client's request for the GetAuthorizationToken operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1149,7 +1149,7 @@ const opGetDownloadUrlForLayer = "GetDownloadUrlForLayer"
// GetDownloadUrlForLayerRequest generates a "aws/request.Request" representing the // GetDownloadUrlForLayerRequest generates a "aws/request.Request" representing the
// client's request for the GetDownloadUrlForLayer operation. The "output" return // client's request for the GetDownloadUrlForLayer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1249,7 +1249,7 @@ const opGetLifecyclePolicy = "GetLifecyclePolicy"
// GetLifecyclePolicyRequest generates a "aws/request.Request" representing the // GetLifecyclePolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetLifecyclePolicy operation. The "output" return // client's request for the GetLifecyclePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1339,7 +1339,7 @@ const opGetLifecyclePolicyPreview = "GetLifecyclePolicyPreview"
// GetLifecyclePolicyPreviewRequest generates a "aws/request.Request" representing the // GetLifecyclePolicyPreviewRequest generates a "aws/request.Request" representing the
// client's request for the GetLifecyclePolicyPreview operation. The "output" return // client's request for the GetLifecyclePolicyPreview operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1429,7 +1429,7 @@ const opGetRepositoryPolicy = "GetRepositoryPolicy"
// GetRepositoryPolicyRequest generates a "aws/request.Request" representing the // GetRepositoryPolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetRepositoryPolicy operation. The "output" return // client's request for the GetRepositoryPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1520,7 +1520,7 @@ const opInitiateLayerUpload = "InitiateLayerUpload"
// InitiateLayerUploadRequest generates a "aws/request.Request" representing the // InitiateLayerUploadRequest generates a "aws/request.Request" representing the
// client's request for the InitiateLayerUpload operation. The "output" return // client's request for the InitiateLayerUpload operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1611,7 +1611,7 @@ const opListImages = "ListImages"
// ListImagesRequest generates a "aws/request.Request" representing the // ListImagesRequest generates a "aws/request.Request" representing the
// client's request for the ListImages operation. The "output" return // client's request for the ListImages operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1760,7 +1760,7 @@ const opPutImage = "PutImage"
// PutImageRequest generates a "aws/request.Request" representing the // PutImageRequest generates a "aws/request.Request" representing the
// client's request for the PutImage operation. The "output" return // client's request for the PutImage operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1837,7 +1837,7 @@ func (c *ECR) PutImageRequest(input *PutImageInput) (req *request.Request, outpu
// The operation did not succeed because it would have exceeded a service limit // The operation did not succeed because it would have exceeded a service limit
// for your account. For more information, see Amazon ECR Default Service Limits // for your account. For more information, see Amazon ECR Default Service Limits
// (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html) // (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html)
// in the Amazon EC2 Container Registry User Guide. // in the Amazon Elastic Container Registry User Guide.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21/PutImage // See also, https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21/PutImage
func (c *ECR) PutImage(input *PutImageInput) (*PutImageOutput, error) { func (c *ECR) PutImage(input *PutImageInput) (*PutImageOutput, error) {
@ -1865,7 +1865,7 @@ const opPutLifecyclePolicy = "PutLifecyclePolicy"
// PutLifecyclePolicyRequest generates a "aws/request.Request" representing the // PutLifecyclePolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutLifecyclePolicy operation. The "output" return // client's request for the PutLifecyclePolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1905,7 +1905,8 @@ func (c *ECR) PutLifecyclePolicyRequest(input *PutLifecyclePolicyInput) (req *re
// PutLifecyclePolicy API operation for Amazon EC2 Container Registry. // PutLifecyclePolicy API operation for Amazon EC2 Container Registry.
// //
// Creates or updates a lifecycle policy. // Creates or updates a lifecycle policy. For information about lifecycle policy
// syntax, see Lifecycle Policy Template (http://docs.aws.amazon.com/AmazonECR/latest/userguide/LifecyclePolicies.html).
// //
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
@ -1952,7 +1953,7 @@ const opSetRepositoryPolicy = "SetRepositoryPolicy"
// SetRepositoryPolicyRequest generates a "aws/request.Request" representing the // SetRepositoryPolicyRequest generates a "aws/request.Request" representing the
// client's request for the SetRepositoryPolicy operation. The "output" return // client's request for the SetRepositoryPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2039,7 +2040,7 @@ const opStartLifecyclePolicyPreview = "StartLifecyclePolicyPreview"
// StartLifecyclePolicyPreviewRequest generates a "aws/request.Request" representing the // StartLifecyclePolicyPreviewRequest generates a "aws/request.Request" representing the
// client's request for the StartLifecyclePolicyPreview operation. The "output" return // client's request for the StartLifecyclePolicyPreview operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2134,7 +2135,7 @@ const opUploadLayerPart = "UploadLayerPart"
// UploadLayerPartRequest generates a "aws/request.Request" representing the // UploadLayerPartRequest generates a "aws/request.Request" representing the
// client's request for the UploadLayerPart operation. The "output" return // client's request for the UploadLayerPart operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2211,7 +2212,7 @@ func (c *ECR) UploadLayerPartRequest(input *UploadLayerPartInput) (req *request.
// The operation did not succeed because it would have exceeded a service limit // The operation did not succeed because it would have exceeded a service limit
// for your account. For more information, see Amazon ECR Default Service Limits // for your account. For more information, see Amazon ECR Default Service Limits
// (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html) // (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html)
// in the Amazon EC2 Container Registry User Guide. // in the Amazon Elastic Container Registry User Guide.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21/UploadLayerPart // See also, https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21/UploadLayerPart
func (c *ECR) UploadLayerPart(input *UploadLayerPartInput) (*UploadLayerPartOutput, error) { func (c *ECR) UploadLayerPart(input *UploadLayerPartInput) (*UploadLayerPartOutput, error) {
@ -2808,8 +2809,7 @@ type DeleteLifecyclePolicyInput struct {
// If you do not specify a registry, the default registry is assumed. // If you do not specify a registry, the default registry is assumed.
RegistryId *string `locationName:"registryId" type:"string"` RegistryId *string `locationName:"registryId" type:"string"`
// The name of the repository that is associated with the repository policy // The name of the repository.
// to delete.
// //
// RepositoryName is a required field // RepositoryName is a required field
RepositoryName *string `locationName:"repositoryName" min:"2" type:"string" required:"true"` RepositoryName *string `locationName:"repositoryName" min:"2" type:"string" required:"true"`
@ -2859,7 +2859,7 @@ type DeleteLifecyclePolicyOutput struct {
// The time stamp of the last time that the lifecycle policy was run. // The time stamp of the last time that the lifecycle policy was run.
LastEvaluatedAt *time.Time `locationName:"lastEvaluatedAt" type:"timestamp" timestampFormat:"unix"` LastEvaluatedAt *time.Time `locationName:"lastEvaluatedAt" type:"timestamp" timestampFormat:"unix"`
// The JSON repository policy text. // The JSON lifecycle policy text.
LifecyclePolicyText *string `locationName:"lifecyclePolicyText" min:"100" type:"string"` LifecyclePolicyText *string `locationName:"lifecyclePolicyText" min:"100" type:"string"`
// The registry ID associated with the request. // The registry ID associated with the request.
@ -3120,13 +3120,15 @@ type DescribeImagesInput struct {
// results of the initial request can be seen by sending another DescribeImages // results of the initial request can be seen by sending another DescribeImages
// request with the returned nextToken value. This value can be between 1 and // request with the returned nextToken value. This value can be between 1 and
// 100. If this parameter is not used, then DescribeImages returns up to 100 // 100. If this parameter is not used, then DescribeImages returns up to 100
// results and a nextToken value, if applicable. // results and a nextToken value, if applicable. This option cannot be used
// when you specify images with imageIds.
MaxResults *int64 `locationName:"maxResults" min:"1" type:"integer"` MaxResults *int64 `locationName:"maxResults" min:"1" type:"integer"`
// The nextToken value returned from a previous paginated DescribeImages request // The nextToken value returned from a previous paginated DescribeImages request
// where maxResults was used and the results exceeded the value of that parameter. // 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 // 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. // nextToken value. This value is null when there are no more results to return.
// This option cannot be used when you specify images with imageIds.
NextToken *string `locationName:"nextToken" type:"string"` NextToken *string `locationName:"nextToken" type:"string"`
// The AWS account ID associated with the registry that contains the repository // The AWS account ID associated with the registry that contains the repository
@ -3253,14 +3255,16 @@ type DescribeRepositoriesInput struct {
// element. The remaining results of the initial request can be seen by sending // element. The remaining results of the initial request can be seen by sending
// another DescribeRepositories request with the returned nextToken value. This // another DescribeRepositories request with the returned nextToken value. This
// value can be between 1 and 100. If this parameter is not used, then DescribeRepositories // value can be between 1 and 100. If this parameter is not used, then DescribeRepositories
// returns up to 100 results and a nextToken value, if applicable. // returns up to 100 results and a nextToken value, if applicable. This option
// cannot be used when you specify repositories with repositoryNames.
MaxResults *int64 `locationName:"maxResults" min:"1" type:"integer"` MaxResults *int64 `locationName:"maxResults" min:"1" type:"integer"`
// The nextToken value returned from a previous paginated DescribeRepositories // The nextToken value returned from a previous paginated DescribeRepositories
// request where maxResults was used and the results exceeded the value of that // request where maxResults was used and the results exceeded the value of that
// parameter. Pagination continues from the end of the previous results 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 // returned the nextToken value. This value is null when there are no more results
// to return. // to return. This option cannot be used when you specify repositories with
// repositoryNames.
// //
// This token should be treated as an opaque identifier that is only used to // This token should be treated as an opaque identifier that is only used to
// retrieve the next items in a list and not for other programmatic purposes. // retrieve the next items in a list and not for other programmatic purposes.
@ -3527,7 +3531,7 @@ type GetLifecyclePolicyInput struct {
// If you do not specify a registry, the default registry is assumed. // If you do not specify a registry, the default registry is assumed.
RegistryId *string `locationName:"registryId" type:"string"` RegistryId *string `locationName:"registryId" type:"string"`
// The name of the repository with the policy to retrieve. // The name of the repository.
// //
// RepositoryName is a required field // RepositoryName is a required field
RepositoryName *string `locationName:"repositoryName" min:"2" type:"string" required:"true"` RepositoryName *string `locationName:"repositoryName" min:"2" type:"string" required:"true"`
@ -3577,7 +3581,7 @@ type GetLifecyclePolicyOutput struct {
// The time stamp of the last time that the lifecycle policy was run. // The time stamp of the last time that the lifecycle policy was run.
LastEvaluatedAt *time.Time `locationName:"lastEvaluatedAt" type:"timestamp" timestampFormat:"unix"` LastEvaluatedAt *time.Time `locationName:"lastEvaluatedAt" type:"timestamp" timestampFormat:"unix"`
// The JSON repository policy text. // The JSON lifecycle policy text.
LifecyclePolicyText *string `locationName:"lifecyclePolicyText" min:"100" type:"string"` LifecyclePolicyText *string `locationName:"lifecyclePolicyText" min:"100" type:"string"`
// The registry ID associated with the request. // The registry ID associated with the request.
@ -3638,21 +3642,23 @@ type GetLifecyclePolicyPreviewInput struct {
// by sending another GetLifecyclePolicyPreviewRequest request with the returned // by sending another GetLifecyclePolicyPreviewRequest request with the returned
// nextToken value. This value can be between 1 and 100. If this parameter // nextToken value. This value can be between 1 and 100. If this parameter
// is not used, then GetLifecyclePolicyPreviewRequest returns up to 100 results // is not used, then GetLifecyclePolicyPreviewRequest returns up to 100 results
// and a nextToken value, if applicable. // and a nextToken value, if applicable. This option cannot be used when you
// specify images with imageIds.
MaxResults *int64 `locationName:"maxResults" min:"1" type:"integer"` MaxResults *int64 `locationName:"maxResults" min:"1" type:"integer"`
// The nextToken value returned from a previous paginated GetLifecyclePolicyPreviewRequest // The nextToken value returned from a previous paginated GetLifecyclePolicyPreviewRequest
// request where maxResults was used and the results exceeded the value of // request where maxResults was used and the results exceeded the value of
// that parameter. Pagination continues from the end of the previous results // that parameter. Pagination continues from the end of the previous results
// that returned the nextToken value. This value is null when there are no // that returned the nextToken value. This value is null when there are no
// more results to return. // more results to return. This option cannot be used when you specify images
// with imageIds.
NextToken *string `locationName:"nextToken" type:"string"` NextToken *string `locationName:"nextToken" type:"string"`
// The AWS account ID associated with the registry that contains the repository. // The AWS account ID associated with the registry that contains the repository.
// If you do not specify a registry, the default registry is assumed. // If you do not specify a registry, the default registry is assumed.
RegistryId *string `locationName:"registryId" type:"string"` RegistryId *string `locationName:"registryId" type:"string"`
// The name of the repository with the policy to retrieve. // The name of the repository.
// //
// RepositoryName is a required field // RepositoryName is a required field
RepositoryName *string `locationName:"repositoryName" min:"2" type:"string" required:"true"` RepositoryName *string `locationName:"repositoryName" min:"2" type:"string" required:"true"`
@ -3729,7 +3735,7 @@ func (s *GetLifecyclePolicyPreviewInput) SetRepositoryName(v string) *GetLifecyc
type GetLifecyclePolicyPreviewOutput struct { type GetLifecyclePolicyPreviewOutput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The JSON repository policy text. // The JSON lifecycle policy text.
LifecyclePolicyText *string `locationName:"lifecyclePolicyText" min:"100" type:"string"` LifecyclePolicyText *string `locationName:"lifecyclePolicyText" min:"100" type:"string"`
// The nextToken value to include in a future GetLifecyclePolicyPreview request. // The nextToken value to include in a future GetLifecyclePolicyPreview request.

View File

@ -3,11 +3,11 @@
// Package ecr provides the client and types for making API // Package ecr provides the client and types for making API
// requests to Amazon EC2 Container Registry. // requests to Amazon EC2 Container Registry.
// //
// Amazon EC2 Container Registry (Amazon ECR) is a managed Docker registry service. // Amazon Elastic Container Registry (Amazon ECR) is a managed Docker registry
// Customers can use the familiar Docker CLI to push, pull, and manage images. // service. Customers can use the familiar Docker CLI to push, pull, and manage
// Amazon ECR provides a secure, scalable, and reliable registry. Amazon ECR // images. Amazon ECR provides a secure, scalable, and reliable registry. Amazon
// supports private Docker repositories with resource-based permissions using // ECR supports private Docker repositories with resource-based permissions
// IAM so that specific users or Amazon EC2 instances can access repositories // using IAM so that specific users or Amazon EC2 instances can access repositories
// and images. Developers can use the Docker CLI to author and manage images. // and images. Developers can use the Docker CLI to author and manage images.
// //
// See https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21 for more information on this service. // See https://docs.aws.amazon.com/goto/WebAPI/ecr-2015-09-21 for more information on this service.

View File

@ -95,7 +95,7 @@ const (
// The operation did not succeed because it would have exceeded a service limit // The operation did not succeed because it would have exceeded a service limit
// for your account. For more information, see Amazon ECR Default Service Limits // for your account. For more information, see Amazon ECR Default Service Limits
// (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html) // (http://docs.aws.amazon.com/AmazonECR/latest/userguide/service_limits.html)
// in the Amazon EC2 Container Registry User Guide. // in the Amazon Elastic Container Registry User Guide.
ErrCodeLimitExceededException = "LimitExceededException" ErrCodeLimitExceededException = "LimitExceededException"
// ErrCodeRepositoryAlreadyExistsException for service response error code // ErrCodeRepositoryAlreadyExistsException for service response error code

File diff suppressed because it is too large Load Diff

View File

@ -21,7 +21,7 @@ const (
// ErrCodeBlockedException for service response error code // ErrCodeBlockedException for service response error code
// "BlockedException". // "BlockedException".
// //
// Your AWS account has been blocked. Contact AWS Customer Support (http://aws.amazon.com/contact-us/) // Your AWS account has been blocked. Contact AWS Support (http://aws.amazon.com/contact-us/)
// for more information. // for more information.
ErrCodeBlockedException = "BlockedException" ErrCodeBlockedException = "BlockedException"

View File

@ -17,7 +17,7 @@ const opCreateFileSystem = "CreateFileSystem"
// CreateFileSystemRequest generates a "aws/request.Request" representing the // CreateFileSystemRequest generates a "aws/request.Request" representing the
// client's request for the CreateFileSystem operation. The "output" return // client's request for the CreateFileSystem operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -153,7 +153,7 @@ const opCreateMountTarget = "CreateMountTarget"
// CreateMountTargetRequest generates a "aws/request.Request" representing the // CreateMountTargetRequest generates a "aws/request.Request" representing the
// client's request for the CreateMountTarget operation. The "output" return // client's request for the CreateMountTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -369,7 +369,7 @@ const opCreateTags = "CreateTags"
// CreateTagsRequest generates a "aws/request.Request" representing the // CreateTagsRequest generates a "aws/request.Request" representing the
// client's request for the CreateTags operation. The "output" return // client's request for the CreateTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -464,7 +464,7 @@ const opDeleteFileSystem = "DeleteFileSystem"
// DeleteFileSystemRequest generates a "aws/request.Request" representing the // DeleteFileSystemRequest generates a "aws/request.Request" representing the
// client's request for the DeleteFileSystem operation. The "output" return // client's request for the DeleteFileSystem operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -571,7 +571,7 @@ const opDeleteMountTarget = "DeleteMountTarget"
// DeleteMountTargetRequest generates a "aws/request.Request" representing the // DeleteMountTargetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteMountTarget operation. The "output" return // client's request for the DeleteMountTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -688,7 +688,7 @@ const opDeleteTags = "DeleteTags"
// DeleteTagsRequest generates a "aws/request.Request" representing the // DeleteTagsRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTags operation. The "output" return // client's request for the DeleteTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -784,7 +784,7 @@ const opDescribeFileSystems = "DescribeFileSystems"
// DescribeFileSystemsRequest generates a "aws/request.Request" representing the // DescribeFileSystemsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFileSystems operation. The "output" return // client's request for the DescribeFileSystems operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -896,7 +896,7 @@ const opDescribeMountTargetSecurityGroups = "DescribeMountTargetSecurityGroups"
// DescribeMountTargetSecurityGroupsRequest generates a "aws/request.Request" representing the // DescribeMountTargetSecurityGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMountTargetSecurityGroups operation. The "output" return // client's request for the DescribeMountTargetSecurityGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -996,7 +996,7 @@ const opDescribeMountTargets = "DescribeMountTargets"
// DescribeMountTargetsRequest generates a "aws/request.Request" representing the // DescribeMountTargetsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMountTargets operation. The "output" return // client's request for the DescribeMountTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1093,7 +1093,7 @@ const opDescribeTags = "DescribeTags"
// DescribeTagsRequest generates a "aws/request.Request" representing the // DescribeTagsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTags operation. The "output" return // client's request for the DescribeTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1185,7 +1185,7 @@ const opModifyMountTargetSecurityGroups = "ModifyMountTargetSecurityGroups"
// ModifyMountTargetSecurityGroupsRequest generates a "aws/request.Request" representing the // ModifyMountTargetSecurityGroupsRequest generates a "aws/request.Request" representing the
// client's request for the ModifyMountTargetSecurityGroups operation. The "output" return // client's request for the ModifyMountTargetSecurityGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -16,7 +16,7 @@ const opAddTagsToResource = "AddTagsToResource"
// AddTagsToResourceRequest generates a "aws/request.Request" representing the // AddTagsToResourceRequest generates a "aws/request.Request" representing the
// client's request for the AddTagsToResource operation. The "output" return // client's request for the AddTagsToResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -116,7 +116,7 @@ const opAuthorizeCacheSecurityGroupIngress = "AuthorizeCacheSecurityGroupIngress
// AuthorizeCacheSecurityGroupIngressRequest generates a "aws/request.Request" representing the // AuthorizeCacheSecurityGroupIngressRequest generates a "aws/request.Request" representing the
// client's request for the AuthorizeCacheSecurityGroupIngress operation. The "output" return // client's request for the AuthorizeCacheSecurityGroupIngress operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -214,7 +214,7 @@ const opCopySnapshot = "CopySnapshot"
// CopySnapshotRequest generates a "aws/request.Request" representing the // CopySnapshotRequest generates a "aws/request.Request" representing the
// client's request for the CopySnapshot operation. The "output" return // client's request for the CopySnapshot operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -374,7 +374,7 @@ const opCreateCacheCluster = "CreateCacheCluster"
// CreateCacheClusterRequest generates a "aws/request.Request" representing the // CreateCacheClusterRequest generates a "aws/request.Request" representing the
// client's request for the CreateCacheCluster operation. The "output" return // client's request for the CreateCacheCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -506,7 +506,7 @@ const opCreateCacheParameterGroup = "CreateCacheParameterGroup"
// CreateCacheParameterGroupRequest generates a "aws/request.Request" representing the // CreateCacheParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateCacheParameterGroup operation. The "output" return // client's request for the CreateCacheParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -612,7 +612,7 @@ const opCreateCacheSecurityGroup = "CreateCacheSecurityGroup"
// CreateCacheSecurityGroupRequest generates a "aws/request.Request" representing the // CreateCacheSecurityGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateCacheSecurityGroup operation. The "output" return // client's request for the CreateCacheSecurityGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -707,7 +707,7 @@ const opCreateCacheSubnetGroup = "CreateCacheSubnetGroup"
// CreateCacheSubnetGroupRequest generates a "aws/request.Request" representing the // CreateCacheSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateCacheSubnetGroup operation. The "output" return // client's request for the CreateCacheSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -801,7 +801,7 @@ const opCreateReplicationGroup = "CreateReplicationGroup"
// CreateReplicationGroupRequest generates a "aws/request.Request" representing the // CreateReplicationGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateReplicationGroup operation. The "output" return // client's request for the CreateReplicationGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -955,7 +955,7 @@ const opCreateSnapshot = "CreateSnapshot"
// CreateSnapshotRequest generates a "aws/request.Request" representing the // CreateSnapshotRequest generates a "aws/request.Request" representing the
// client's request for the CreateSnapshot operation. The "output" return // client's request for the CreateSnapshot operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1070,7 +1070,7 @@ const opDeleteCacheCluster = "DeleteCacheCluster"
// DeleteCacheClusterRequest generates a "aws/request.Request" representing the // DeleteCacheClusterRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCacheCluster operation. The "output" return // client's request for the DeleteCacheCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1187,7 +1187,7 @@ const opDeleteCacheParameterGroup = "DeleteCacheParameterGroup"
// DeleteCacheParameterGroupRequest generates a "aws/request.Request" representing the // DeleteCacheParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCacheParameterGroup operation. The "output" return // client's request for the DeleteCacheParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1280,7 +1280,7 @@ const opDeleteCacheSecurityGroup = "DeleteCacheSecurityGroup"
// DeleteCacheSecurityGroupRequest generates a "aws/request.Request" representing the // DeleteCacheSecurityGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCacheSecurityGroup operation. The "output" return // client's request for the DeleteCacheSecurityGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1373,7 +1373,7 @@ const opDeleteCacheSubnetGroup = "DeleteCacheSubnetGroup"
// DeleteCacheSubnetGroupRequest generates a "aws/request.Request" representing the // DeleteCacheSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCacheSubnetGroup operation. The "output" return // client's request for the DeleteCacheSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1460,7 +1460,7 @@ const opDeleteReplicationGroup = "DeleteReplicationGroup"
// DeleteReplicationGroupRequest generates a "aws/request.Request" representing the // DeleteReplicationGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteReplicationGroup operation. The "output" return // client's request for the DeleteReplicationGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1576,7 +1576,7 @@ const opDeleteSnapshot = "DeleteSnapshot"
// DeleteSnapshotRequest generates a "aws/request.Request" representing the // DeleteSnapshotRequest generates a "aws/request.Request" representing the
// client's request for the DeleteSnapshot operation. The "output" return // client's request for the DeleteSnapshot operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1669,7 +1669,7 @@ const opDescribeCacheClusters = "DescribeCacheClusters"
// DescribeCacheClustersRequest generates a "aws/request.Request" representing the // DescribeCacheClustersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCacheClusters operation. The "output" return // client's request for the DescribeCacheClusters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1831,7 +1831,7 @@ const opDescribeCacheEngineVersions = "DescribeCacheEngineVersions"
// DescribeCacheEngineVersionsRequest generates a "aws/request.Request" representing the // DescribeCacheEngineVersionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCacheEngineVersions operation. The "output" return // client's request for the DescribeCacheEngineVersions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1961,7 +1961,7 @@ const opDescribeCacheParameterGroups = "DescribeCacheParameterGroups"
// DescribeCacheParameterGroupsRequest generates a "aws/request.Request" representing the // DescribeCacheParameterGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCacheParameterGroups operation. The "output" return // client's request for the DescribeCacheParameterGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2105,7 +2105,7 @@ const opDescribeCacheParameters = "DescribeCacheParameters"
// DescribeCacheParametersRequest generates a "aws/request.Request" representing the // DescribeCacheParametersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCacheParameters operation. The "output" return // client's request for the DescribeCacheParameters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2247,7 +2247,7 @@ const opDescribeCacheSecurityGroups = "DescribeCacheSecurityGroups"
// DescribeCacheSecurityGroupsRequest generates a "aws/request.Request" representing the // DescribeCacheSecurityGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCacheSecurityGroups operation. The "output" return // client's request for the DescribeCacheSecurityGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2390,7 +2390,7 @@ const opDescribeCacheSubnetGroups = "DescribeCacheSubnetGroups"
// DescribeCacheSubnetGroupsRequest generates a "aws/request.Request" representing the // DescribeCacheSubnetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCacheSubnetGroups operation. The "output" return // client's request for the DescribeCacheSubnetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2527,7 +2527,7 @@ const opDescribeEngineDefaultParameters = "DescribeEngineDefaultParameters"
// DescribeEngineDefaultParametersRequest generates a "aws/request.Request" representing the // DescribeEngineDefaultParametersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEngineDefaultParameters operation. The "output" return // client's request for the DescribeEngineDefaultParameters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2666,7 +2666,7 @@ const opDescribeEvents = "DescribeEvents"
// DescribeEventsRequest generates a "aws/request.Request" representing the // DescribeEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEvents operation. The "output" return // client's request for the DescribeEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2809,7 +2809,7 @@ const opDescribeReplicationGroups = "DescribeReplicationGroups"
// DescribeReplicationGroupsRequest generates a "aws/request.Request" representing the // DescribeReplicationGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReplicationGroups operation. The "output" return // client's request for the DescribeReplicationGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2954,7 +2954,7 @@ const opDescribeReservedCacheNodes = "DescribeReservedCacheNodes"
// DescribeReservedCacheNodesRequest generates a "aws/request.Request" representing the // DescribeReservedCacheNodesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReservedCacheNodes operation. The "output" return // client's request for the DescribeReservedCacheNodes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3096,7 +3096,7 @@ const opDescribeReservedCacheNodesOfferings = "DescribeReservedCacheNodesOfferin
// DescribeReservedCacheNodesOfferingsRequest generates a "aws/request.Request" representing the // DescribeReservedCacheNodesOfferingsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeReservedCacheNodesOfferings operation. The "output" return // client's request for the DescribeReservedCacheNodesOfferings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3237,7 +3237,7 @@ const opDescribeSnapshots = "DescribeSnapshots"
// DescribeSnapshotsRequest generates a "aws/request.Request" representing the // DescribeSnapshotsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSnapshots operation. The "output" return // client's request for the DescribeSnapshots operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3386,7 +3386,7 @@ const opListAllowedNodeTypeModifications = "ListAllowedNodeTypeModifications"
// ListAllowedNodeTypeModificationsRequest generates a "aws/request.Request" representing the // ListAllowedNodeTypeModificationsRequest generates a "aws/request.Request" representing the
// client's request for the ListAllowedNodeTypeModifications operation. The "output" return // client's request for the ListAllowedNodeTypeModifications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3479,7 +3479,7 @@ const opListTagsForResource = "ListTagsForResource"
// ListTagsForResourceRequest generates a "aws/request.Request" representing the // ListTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForResource operation. The "output" return // client's request for the ListTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3571,7 +3571,7 @@ const opModifyCacheCluster = "ModifyCacheCluster"
// ModifyCacheClusterRequest generates a "aws/request.Request" representing the // ModifyCacheClusterRequest generates a "aws/request.Request" representing the
// client's request for the ModifyCacheCluster operation. The "output" return // client's request for the ModifyCacheCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3687,7 +3687,7 @@ const opModifyCacheParameterGroup = "ModifyCacheParameterGroup"
// ModifyCacheParameterGroupRequest generates a "aws/request.Request" representing the // ModifyCacheParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the ModifyCacheParameterGroup operation. The "output" return // client's request for the ModifyCacheParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3779,7 +3779,7 @@ const opModifyCacheSubnetGroup = "ModifyCacheSubnetGroup"
// ModifyCacheSubnetGroupRequest generates a "aws/request.Request" representing the // ModifyCacheSubnetGroupRequest generates a "aws/request.Request" representing the
// client's request for the ModifyCacheSubnetGroup operation. The "output" return // client's request for the ModifyCacheSubnetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3869,7 +3869,7 @@ const opModifyReplicationGroup = "ModifyReplicationGroup"
// ModifyReplicationGroupRequest generates a "aws/request.Request" representing the // ModifyReplicationGroupRequest generates a "aws/request.Request" representing the
// client's request for the ModifyReplicationGroup operation. The "output" return // client's request for the ModifyReplicationGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3995,7 +3995,7 @@ const opModifyReplicationGroupShardConfiguration = "ModifyReplicationGroupShardC
// ModifyReplicationGroupShardConfigurationRequest generates a "aws/request.Request" representing the // ModifyReplicationGroupShardConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the ModifyReplicationGroupShardConfiguration operation. The "output" return // client's request for the ModifyReplicationGroupShardConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4109,7 +4109,7 @@ const opPurchaseReservedCacheNodesOffering = "PurchaseReservedCacheNodesOffering
// PurchaseReservedCacheNodesOfferingRequest generates a "aws/request.Request" representing the // PurchaseReservedCacheNodesOfferingRequest generates a "aws/request.Request" representing the
// client's request for the PurchaseReservedCacheNodesOffering operation. The "output" return // client's request for the PurchaseReservedCacheNodesOffering operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4201,7 +4201,7 @@ const opRebootCacheCluster = "RebootCacheCluster"
// RebootCacheClusterRequest generates a "aws/request.Request" representing the // RebootCacheClusterRequest generates a "aws/request.Request" representing the
// client's request for the RebootCacheCluster operation. The "output" return // client's request for the RebootCacheCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4299,7 +4299,7 @@ const opRemoveTagsFromResource = "RemoveTagsFromResource"
// RemoveTagsFromResourceRequest generates a "aws/request.Request" representing the // RemoveTagsFromResourceRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTagsFromResource operation. The "output" return // client's request for the RemoveTagsFromResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4387,7 +4387,7 @@ const opResetCacheParameterGroup = "ResetCacheParameterGroup"
// ResetCacheParameterGroupRequest generates a "aws/request.Request" representing the // ResetCacheParameterGroupRequest generates a "aws/request.Request" representing the
// client's request for the ResetCacheParameterGroup operation. The "output" return // client's request for the ResetCacheParameterGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4480,7 +4480,7 @@ const opRevokeCacheSecurityGroupIngress = "RevokeCacheSecurityGroupIngress"
// RevokeCacheSecurityGroupIngressRequest generates a "aws/request.Request" representing the // RevokeCacheSecurityGroupIngressRequest generates a "aws/request.Request" representing the
// client's request for the RevokeCacheSecurityGroupIngress operation. The "output" return // client's request for the RevokeCacheSecurityGroupIngress operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4574,7 +4574,7 @@ const opTestFailover = "TestFailover"
// TestFailoverRequest generates a "aws/request.Request" representing the // TestFailoverRequest generates a "aws/request.Request" representing the
// client's request for the TestFailover operation. The "output" return // client's request for the TestFailover operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opAbortEnvironmentUpdate = "AbortEnvironmentUpdate"
// AbortEnvironmentUpdateRequest generates a "aws/request.Request" representing the // AbortEnvironmentUpdateRequest generates a "aws/request.Request" representing the
// client's request for the AbortEnvironmentUpdate operation. The "output" return // client's request for the AbortEnvironmentUpdate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -71,7 +71,7 @@ func (c *ElasticBeanstalk) AbortEnvironmentUpdateRequest(input *AbortEnvironment
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/AbortEnvironmentUpdate // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/AbortEnvironmentUpdate
@ -100,7 +100,7 @@ const opApplyEnvironmentManagedAction = "ApplyEnvironmentManagedAction"
// ApplyEnvironmentManagedActionRequest generates a "aws/request.Request" representing the // ApplyEnvironmentManagedActionRequest generates a "aws/request.Request" representing the
// client's request for the ApplyEnvironmentManagedAction operation. The "output" return // client's request for the ApplyEnvironmentManagedAction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -184,7 +184,7 @@ const opCheckDNSAvailability = "CheckDNSAvailability"
// CheckDNSAvailabilityRequest generates a "aws/request.Request" representing the // CheckDNSAvailabilityRequest generates a "aws/request.Request" representing the
// client's request for the CheckDNSAvailability operation. The "output" return // client's request for the CheckDNSAvailability operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -258,7 +258,7 @@ const opComposeEnvironments = "ComposeEnvironments"
// ComposeEnvironmentsRequest generates a "aws/request.Request" representing the // ComposeEnvironmentsRequest generates a "aws/request.Request" representing the
// client's request for the ComposeEnvironments operation. The "output" return // client's request for the ComposeEnvironments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -318,7 +318,7 @@ func (c *ElasticBeanstalk) ComposeEnvironmentsRequest(input *ComposeEnvironments
// The specified account has reached its limit of environments. // The specified account has reached its limit of environments.
// //
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/ComposeEnvironments // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/ComposeEnvironments
@ -347,7 +347,7 @@ const opCreateApplication = "CreateApplication"
// CreateApplicationRequest generates a "aws/request.Request" representing the // CreateApplicationRequest generates a "aws/request.Request" representing the
// client's request for the CreateApplication operation. The "output" return // client's request for the CreateApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -427,7 +427,7 @@ const opCreateApplicationVersion = "CreateApplicationVersion"
// CreateApplicationVersionRequest generates a "aws/request.Request" representing the // CreateApplicationVersionRequest generates a "aws/request.Request" representing the
// client's request for the CreateApplicationVersion operation. The "output" return // client's request for the CreateApplicationVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -500,7 +500,7 @@ func (c *ElasticBeanstalk) CreateApplicationVersionRequest(input *CreateApplicat
// The specified account has reached its limit of application versions. // The specified account has reached its limit of application versions.
// //
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeS3LocationNotInServiceRegionException "S3LocationNotInServiceRegionException" // * ErrCodeS3LocationNotInServiceRegionException "S3LocationNotInServiceRegionException"
@ -542,7 +542,7 @@ const opCreateConfigurationTemplate = "CreateConfigurationTemplate"
// CreateConfigurationTemplateRequest generates a "aws/request.Request" representing the // CreateConfigurationTemplateRequest generates a "aws/request.Request" representing the
// client's request for the CreateConfigurationTemplate operation. The "output" return // client's request for the CreateConfigurationTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -603,7 +603,7 @@ func (c *ElasticBeanstalk) CreateConfigurationTemplateRequest(input *CreateConfi
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeTooManyBucketsException "TooManyBucketsException" // * ErrCodeTooManyBucketsException "TooManyBucketsException"
@ -638,7 +638,7 @@ const opCreateEnvironment = "CreateEnvironment"
// CreateEnvironmentRequest generates a "aws/request.Request" representing the // CreateEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the CreateEnvironment operation. The "output" return // client's request for the CreateEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -693,7 +693,7 @@ func (c *ElasticBeanstalk) CreateEnvironmentRequest(input *CreateEnvironmentInpu
// The specified account has reached its limit of environments. // The specified account has reached its limit of environments.
// //
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/CreateEnvironment // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/CreateEnvironment
@ -722,7 +722,7 @@ const opCreatePlatformVersion = "CreatePlatformVersion"
// CreatePlatformVersionRequest generates a "aws/request.Request" representing the // CreatePlatformVersionRequest generates a "aws/request.Request" representing the
// client's request for the CreatePlatformVersion operation. The "output" return // client's request for the CreatePlatformVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -773,7 +773,7 @@ func (c *ElasticBeanstalk) CreatePlatformVersionRequest(input *CreatePlatformVer
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeServiceException "ServiceException" // * ErrCodeServiceException "ServiceException"
@ -809,7 +809,7 @@ const opCreateStorageLocation = "CreateStorageLocation"
// CreateStorageLocationRequest generates a "aws/request.Request" representing the // CreateStorageLocationRequest generates a "aws/request.Request" representing the
// client's request for the CreateStorageLocation operation. The "output" return // client's request for the CreateStorageLocation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -870,7 +870,7 @@ func (c *ElasticBeanstalk) CreateStorageLocationRequest(input *CreateStorageLoca
// The specified account does not have a subscription to Amazon S3. // The specified account does not have a subscription to Amazon S3.
// //
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/CreateStorageLocation // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/CreateStorageLocation
@ -899,7 +899,7 @@ const opDeleteApplication = "DeleteApplication"
// DeleteApplicationRequest generates a "aws/request.Request" representing the // DeleteApplicationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteApplication operation. The "output" return // client's request for the DeleteApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -985,7 +985,7 @@ const opDeleteApplicationVersion = "DeleteApplicationVersion"
// DeleteApplicationVersionRequest generates a "aws/request.Request" representing the // DeleteApplicationVersionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteApplicationVersion operation. The "output" return // client's request for the DeleteApplicationVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1045,7 +1045,7 @@ func (c *ElasticBeanstalk) DeleteApplicationVersionRequest(input *DeleteApplicat
// version. The application version was deleted successfully. // version. The application version was deleted successfully.
// //
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeOperationInProgressException "OperationInProgressFailure" // * ErrCodeOperationInProgressException "OperationInProgressFailure"
@ -1088,7 +1088,7 @@ const opDeleteConfigurationTemplate = "DeleteConfigurationTemplate"
// DeleteConfigurationTemplateRequest generates a "aws/request.Request" representing the // DeleteConfigurationTemplateRequest generates a "aws/request.Request" representing the
// client's request for the DeleteConfigurationTemplate operation. The "output" return // client's request for the DeleteConfigurationTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1174,7 +1174,7 @@ const opDeleteEnvironmentConfiguration = "DeleteEnvironmentConfiguration"
// DeleteEnvironmentConfigurationRequest generates a "aws/request.Request" representing the // DeleteEnvironmentConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteEnvironmentConfiguration operation. The "output" return // client's request for the DeleteEnvironmentConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1257,7 +1257,7 @@ const opDeletePlatformVersion = "DeletePlatformVersion"
// DeletePlatformVersionRequest generates a "aws/request.Request" representing the // DeletePlatformVersionRequest generates a "aws/request.Request" representing the
// client's request for the DeletePlatformVersion operation. The "output" return // client's request for the DeletePlatformVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1312,7 +1312,7 @@ func (c *ElasticBeanstalk) DeletePlatformVersionRequest(input *DeletePlatformVer
// effects an element in this activity is already in progress. // effects an element in this activity is already in progress.
// //
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeServiceException "ServiceException" // * ErrCodeServiceException "ServiceException"
@ -1344,11 +1344,94 @@ func (c *ElasticBeanstalk) DeletePlatformVersionWithContext(ctx aws.Context, inp
return out, req.Send() return out, req.Send()
} }
const opDescribeAccountAttributes = "DescribeAccountAttributes"
// DescribeAccountAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAccountAttributes operation. The "output" return
// value will be populated with the request's response once the request completes
// successfuly.
//
// Use "Send" method on the returned Request to send the API call to the service.
// the "output" return value is not valid until after Send returns without error.
//
// See DescribeAccountAttributes for more information on using the DescribeAccountAttributes
// API call, and error handling.
//
// This method is useful when you want to inject custom logic or configuration
// into the SDK's request lifecycle. Such as custom headers, or retry logic.
//
//
// // Example sending a request using the DescribeAccountAttributesRequest method.
// req, resp := client.DescribeAccountAttributesRequest(params)
//
// err := req.Send()
// if err == nil { // resp is now filled
// fmt.Println(resp)
// }
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/DescribeAccountAttributes
func (c *ElasticBeanstalk) DescribeAccountAttributesRequest(input *DescribeAccountAttributesInput) (req *request.Request, output *DescribeAccountAttributesOutput) {
op := &request.Operation{
Name: opDescribeAccountAttributes,
HTTPMethod: "POST",
HTTPPath: "/",
}
if input == nil {
input = &DescribeAccountAttributesInput{}
}
output = &DescribeAccountAttributesOutput{}
req = c.newRequest(op, input, output)
return
}
// DescribeAccountAttributes API operation for AWS Elastic Beanstalk.
//
// Returns attributes related to AWS Elastic Beanstalk that are associated with
// the calling AWS account.
//
// The result currently has one set of attributes—resource quotas.
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about
// the error.
//
// See the AWS API reference guide for AWS Elastic Beanstalk's
// API operation DescribeAccountAttributes for usage and error information.
//
// Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one or more
// AWS services.
//
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/DescribeAccountAttributes
func (c *ElasticBeanstalk) DescribeAccountAttributes(input *DescribeAccountAttributesInput) (*DescribeAccountAttributesOutput, error) {
req, out := c.DescribeAccountAttributesRequest(input)
return out, req.Send()
}
// DescribeAccountAttributesWithContext is the same as DescribeAccountAttributes with the addition of
// the ability to pass a context and additional request options.
//
// See DescribeAccountAttributes for details on how to use this API operation.
//
// The context must be non-nil and will be used for request cancellation. If
// the context is nil a panic will occur. In the future the SDK may create
// sub-contexts for http.Requests. See https://golang.org/pkg/context/
// for more information on using Contexts.
func (c *ElasticBeanstalk) DescribeAccountAttributesWithContext(ctx aws.Context, input *DescribeAccountAttributesInput, opts ...request.Option) (*DescribeAccountAttributesOutput, error) {
req, out := c.DescribeAccountAttributesRequest(input)
req.SetContext(ctx)
req.ApplyOptions(opts...)
return out, req.Send()
}
const opDescribeApplicationVersions = "DescribeApplicationVersions" const opDescribeApplicationVersions = "DescribeApplicationVersions"
// DescribeApplicationVersionsRequest generates a "aws/request.Request" representing the // DescribeApplicationVersionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeApplicationVersions operation. The "output" return // client's request for the DescribeApplicationVersions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1422,7 +1505,7 @@ const opDescribeApplications = "DescribeApplications"
// DescribeApplicationsRequest generates a "aws/request.Request" representing the // DescribeApplicationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeApplications operation. The "output" return // client's request for the DescribeApplications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1496,7 +1579,7 @@ const opDescribeConfigurationOptions = "DescribeConfigurationOptions"
// DescribeConfigurationOptionsRequest generates a "aws/request.Request" representing the // DescribeConfigurationOptionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConfigurationOptions operation. The "output" return // client's request for the DescribeConfigurationOptions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1579,7 +1662,7 @@ const opDescribeConfigurationSettings = "DescribeConfigurationSettings"
// DescribeConfigurationSettingsRequest generates a "aws/request.Request" representing the // DescribeConfigurationSettingsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeConfigurationSettings operation. The "output" return // client's request for the DescribeConfigurationSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1670,7 +1753,7 @@ const opDescribeEnvironmentHealth = "DescribeEnvironmentHealth"
// DescribeEnvironmentHealthRequest generates a "aws/request.Request" representing the // DescribeEnvironmentHealthRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironmentHealth operation. The "output" return // client's request for the DescribeEnvironmentHealth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1755,7 +1838,7 @@ const opDescribeEnvironmentManagedActionHistory = "DescribeEnvironmentManagedAct
// DescribeEnvironmentManagedActionHistoryRequest generates a "aws/request.Request" representing the // DescribeEnvironmentManagedActionHistoryRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironmentManagedActionHistory operation. The "output" return // client's request for the DescribeEnvironmentManagedActionHistory operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1834,7 +1917,7 @@ const opDescribeEnvironmentManagedActions = "DescribeEnvironmentManagedActions"
// DescribeEnvironmentManagedActionsRequest generates a "aws/request.Request" representing the // DescribeEnvironmentManagedActionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironmentManagedActions operation. The "output" return // client's request for the DescribeEnvironmentManagedActions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1913,7 +1996,7 @@ const opDescribeEnvironmentResources = "DescribeEnvironmentResources"
// DescribeEnvironmentResourcesRequest generates a "aws/request.Request" representing the // DescribeEnvironmentResourcesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironmentResources operation. The "output" return // client's request for the DescribeEnvironmentResources operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1964,7 +2047,7 @@ func (c *ElasticBeanstalk) DescribeEnvironmentResourcesRequest(input *DescribeEn
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/DescribeEnvironmentResources // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/DescribeEnvironmentResources
@ -1993,7 +2076,7 @@ const opDescribeEnvironments = "DescribeEnvironments"
// DescribeEnvironmentsRequest generates a "aws/request.Request" representing the // DescribeEnvironmentsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEnvironments operation. The "output" return // client's request for the DescribeEnvironments operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2067,7 +2150,7 @@ const opDescribeEvents = "DescribeEvents"
// DescribeEventsRequest generates a "aws/request.Request" representing the // DescribeEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEvents operation. The "output" return // client's request for the DescribeEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2199,7 +2282,7 @@ const opDescribeInstancesHealth = "DescribeInstancesHealth"
// DescribeInstancesHealthRequest generates a "aws/request.Request" representing the // DescribeInstancesHealthRequest generates a "aws/request.Request" representing the
// client's request for the DescribeInstancesHealth operation. The "output" return // client's request for the DescribeInstancesHealth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2283,7 +2366,7 @@ const opDescribePlatformVersion = "DescribePlatformVersion"
// DescribePlatformVersionRequest generates a "aws/request.Request" representing the // DescribePlatformVersionRequest generates a "aws/request.Request" representing the
// client's request for the DescribePlatformVersion operation. The "output" return // client's request for the DescribePlatformVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2334,7 +2417,7 @@ func (c *ElasticBeanstalk) DescribePlatformVersionRequest(input *DescribePlatfor
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeServiceException "ServiceException" // * ErrCodeServiceException "ServiceException"
@ -2366,7 +2449,7 @@ const opListAvailableSolutionStacks = "ListAvailableSolutionStacks"
// ListAvailableSolutionStacksRequest generates a "aws/request.Request" representing the // ListAvailableSolutionStacksRequest generates a "aws/request.Request" representing the
// client's request for the ListAvailableSolutionStacks operation. The "output" return // client's request for the ListAvailableSolutionStacks operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2441,7 +2524,7 @@ const opListPlatformVersions = "ListPlatformVersions"
// ListPlatformVersionsRequest generates a "aws/request.Request" representing the // ListPlatformVersionsRequest generates a "aws/request.Request" representing the
// client's request for the ListPlatformVersions operation. The "output" return // client's request for the ListPlatformVersions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2492,7 +2575,7 @@ func (c *ElasticBeanstalk) ListPlatformVersionsRequest(input *ListPlatformVersio
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeServiceException "ServiceException" // * ErrCodeServiceException "ServiceException"
@ -2524,7 +2607,7 @@ const opListTagsForResource = "ListTagsForResource"
// ListTagsForResourceRequest generates a "aws/request.Request" representing the // ListTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForResource operation. The "output" return // client's request for the ListTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2580,7 +2663,7 @@ func (c *ElasticBeanstalk) ListTagsForResourceRequest(input *ListTagsForResource
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeResourceNotFoundException "ResourceNotFoundException" // * ErrCodeResourceNotFoundException "ResourceNotFoundException"
@ -2616,7 +2699,7 @@ const opRebuildEnvironment = "RebuildEnvironment"
// RebuildEnvironmentRequest generates a "aws/request.Request" representing the // RebuildEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the RebuildEnvironment operation. The "output" return // client's request for the RebuildEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2670,7 +2753,7 @@ func (c *ElasticBeanstalk) RebuildEnvironmentRequest(input *RebuildEnvironmentIn
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/RebuildEnvironment // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/RebuildEnvironment
@ -2699,7 +2782,7 @@ const opRequestEnvironmentInfo = "RequestEnvironmentInfo"
// RequestEnvironmentInfoRequest generates a "aws/request.Request" representing the // RequestEnvironmentInfoRequest generates a "aws/request.Request" representing the
// client's request for the RequestEnvironmentInfo operation. The "output" return // client's request for the RequestEnvironmentInfo operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2789,7 +2872,7 @@ const opRestartAppServer = "RestartAppServer"
// RestartAppServerRequest generates a "aws/request.Request" representing the // RestartAppServerRequest generates a "aws/request.Request" representing the
// client's request for the RestartAppServer operation. The "output" return // client's request for the RestartAppServer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2866,7 +2949,7 @@ const opRetrieveEnvironmentInfo = "RetrieveEnvironmentInfo"
// RetrieveEnvironmentInfoRequest generates a "aws/request.Request" representing the // RetrieveEnvironmentInfoRequest generates a "aws/request.Request" representing the
// client's request for the RetrieveEnvironmentInfo operation. The "output" return // client's request for the RetrieveEnvironmentInfo operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2944,7 +3027,7 @@ const opSwapEnvironmentCNAMEs = "SwapEnvironmentCNAMEs"
// SwapEnvironmentCNAMEsRequest generates a "aws/request.Request" representing the // SwapEnvironmentCNAMEsRequest generates a "aws/request.Request" representing the
// client's request for the SwapEnvironmentCNAMEs operation. The "output" return // client's request for the SwapEnvironmentCNAMEs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3020,7 +3103,7 @@ const opTerminateEnvironment = "TerminateEnvironment"
// TerminateEnvironmentRequest generates a "aws/request.Request" representing the // TerminateEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the TerminateEnvironment operation. The "output" return // client's request for the TerminateEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3071,7 +3154,7 @@ func (c *ElasticBeanstalk) TerminateEnvironmentRequest(input *TerminateEnvironme
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/TerminateEnvironment // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/TerminateEnvironment
@ -3100,7 +3183,7 @@ const opUpdateApplication = "UpdateApplication"
// UpdateApplicationRequest generates a "aws/request.Request" representing the // UpdateApplicationRequest generates a "aws/request.Request" representing the
// client's request for the UpdateApplication operation. The "output" return // client's request for the UpdateApplication operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3177,7 +3260,7 @@ const opUpdateApplicationResourceLifecycle = "UpdateApplicationResourceLifecycle
// UpdateApplicationResourceLifecycleRequest generates a "aws/request.Request" representing the // UpdateApplicationResourceLifecycleRequest generates a "aws/request.Request" representing the
// client's request for the UpdateApplicationResourceLifecycle operation. The "output" return // client's request for the UpdateApplicationResourceLifecycle operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3228,7 +3311,7 @@ func (c *ElasticBeanstalk) UpdateApplicationResourceLifecycleRequest(input *Upda
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/UpdateApplicationResourceLifecycle // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticbeanstalk-2010-12-01/UpdateApplicationResourceLifecycle
@ -3257,7 +3340,7 @@ const opUpdateApplicationVersion = "UpdateApplicationVersion"
// UpdateApplicationVersionRequest generates a "aws/request.Request" representing the // UpdateApplicationVersionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateApplicationVersion operation. The "output" return // client's request for the UpdateApplicationVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3334,7 +3417,7 @@ const opUpdateConfigurationTemplate = "UpdateConfigurationTemplate"
// UpdateConfigurationTemplateRequest generates a "aws/request.Request" representing the // UpdateConfigurationTemplateRequest generates a "aws/request.Request" representing the
// client's request for the UpdateConfigurationTemplate operation. The "output" return // client's request for the UpdateConfigurationTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3393,7 +3476,7 @@ func (c *ElasticBeanstalk) UpdateConfigurationTemplateRequest(input *UpdateConfi
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeTooManyBucketsException "TooManyBucketsException" // * ErrCodeTooManyBucketsException "TooManyBucketsException"
@ -3425,7 +3508,7 @@ const opUpdateEnvironment = "UpdateEnvironment"
// UpdateEnvironmentRequest generates a "aws/request.Request" representing the // UpdateEnvironmentRequest generates a "aws/request.Request" representing the
// client's request for the UpdateEnvironment operation. The "output" return // client's request for the UpdateEnvironment operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3486,7 +3569,7 @@ func (c *ElasticBeanstalk) UpdateEnvironmentRequest(input *UpdateEnvironmentInpu
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeTooManyBucketsException "TooManyBucketsException" // * ErrCodeTooManyBucketsException "TooManyBucketsException"
@ -3518,7 +3601,7 @@ const opUpdateTagsForResource = "UpdateTagsForResource"
// UpdateTagsForResourceRequest generates a "aws/request.Request" representing the // UpdateTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the UpdateTagsForResource operation. The "output" return // client's request for the UpdateTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3589,7 +3672,7 @@ func (c *ElasticBeanstalk) UpdateTagsForResourceRequest(input *UpdateTagsForReso
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeOperationInProgressException "OperationInProgressFailure" // * ErrCodeOperationInProgressException "OperationInProgressFailure"
@ -3636,7 +3719,7 @@ const opValidateConfigurationSettings = "ValidateConfigurationSettings"
// ValidateConfigurationSettingsRequest generates a "aws/request.Request" representing the // ValidateConfigurationSettingsRequest generates a "aws/request.Request" representing the
// client's request for the ValidateConfigurationSettings operation. The "output" return // client's request for the ValidateConfigurationSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3691,7 +3774,7 @@ func (c *ElasticBeanstalk) ValidateConfigurationSettingsRequest(input *ValidateC
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException" // * ErrCodeInsufficientPrivilegesException "InsufficientPrivilegesException"
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
// //
// * ErrCodeTooManyBucketsException "TooManyBucketsException" // * ErrCodeTooManyBucketsException "TooManyBucketsException"
@ -6192,6 +6275,43 @@ func (s *Deployment) SetVersionLabel(v string) *Deployment {
return s return s
} }
type DescribeAccountAttributesInput struct {
_ struct{} `type:"structure"`
}
// String returns the string representation
func (s DescribeAccountAttributesInput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s DescribeAccountAttributesInput) GoString() string {
return s.String()
}
type DescribeAccountAttributesOutput struct {
_ struct{} `type:"structure"`
// The Elastic Beanstalk resource quotas associated with the calling AWS account.
ResourceQuotas *ResourceQuotas `type:"structure"`
}
// String returns the string representation
func (s DescribeAccountAttributesOutput) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s DescribeAccountAttributesOutput) GoString() string {
return s.String()
}
// SetResourceQuotas sets the ResourceQuotas field's value.
func (s *DescribeAccountAttributesOutput) SetResourceQuotas(v *ResourceQuotas) *DescribeAccountAttributesOutput {
s.ResourceQuotas = v
return s
}
// Request to describe application versions. // Request to describe application versions.
type DescribeApplicationVersionsInput struct { type DescribeApplicationVersionsInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -9527,6 +9647,93 @@ func (s RequestEnvironmentInfoOutput) GoString() string {
return s.String() return s.String()
} }
// The AWS Elastic Beanstalk quota information for a single resource type in
// an AWS account. It reflects the resource's limits for this account.
type ResourceQuota struct {
_ struct{} `type:"structure"`
// The maximum number of instances of this Elastic Beanstalk resource type that
// an AWS account can use.
Maximum *int64 `type:"integer"`
}
// String returns the string representation
func (s ResourceQuota) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s ResourceQuota) GoString() string {
return s.String()
}
// SetMaximum sets the Maximum field's value.
func (s *ResourceQuota) SetMaximum(v int64) *ResourceQuota {
s.Maximum = &v
return s
}
// A set of per-resource AWS Elastic Beanstalk quotas associated with an AWS
// account. They reflect Elastic Beanstalk resource limits for this account.
type ResourceQuotas struct {
_ struct{} `type:"structure"`
// The quota for applications in the AWS account.
ApplicationQuota *ResourceQuota `type:"structure"`
// The quota for application versions in the AWS account.
ApplicationVersionQuota *ResourceQuota `type:"structure"`
// The quota for configuration templates in the AWS account.
ConfigurationTemplateQuota *ResourceQuota `type:"structure"`
// The quota for custom platforms in the AWS account.
CustomPlatformQuota *ResourceQuota `type:"structure"`
// The quota for environments in the AWS account.
EnvironmentQuota *ResourceQuota `type:"structure"`
}
// String returns the string representation
func (s ResourceQuotas) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s ResourceQuotas) GoString() string {
return s.String()
}
// SetApplicationQuota sets the ApplicationQuota field's value.
func (s *ResourceQuotas) SetApplicationQuota(v *ResourceQuota) *ResourceQuotas {
s.ApplicationQuota = v
return s
}
// SetApplicationVersionQuota sets the ApplicationVersionQuota field's value.
func (s *ResourceQuotas) SetApplicationVersionQuota(v *ResourceQuota) *ResourceQuotas {
s.ApplicationVersionQuota = v
return s
}
// SetConfigurationTemplateQuota sets the ConfigurationTemplateQuota field's value.
func (s *ResourceQuotas) SetConfigurationTemplateQuota(v *ResourceQuota) *ResourceQuotas {
s.ConfigurationTemplateQuota = v
return s
}
// SetCustomPlatformQuota sets the CustomPlatformQuota field's value.
func (s *ResourceQuotas) SetCustomPlatformQuota(v *ResourceQuota) *ResourceQuotas {
s.CustomPlatformQuota = v
return s
}
// SetEnvironmentQuota sets the EnvironmentQuota field's value.
func (s *ResourceQuotas) SetEnvironmentQuota(v *ResourceQuota) *ResourceQuotas {
s.EnvironmentQuota = v
return s
}
type RestartAppServerInput struct { type RestartAppServerInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`

View File

@ -13,7 +13,7 @@ const (
// ErrCodeInsufficientPrivilegesException for service response error code // ErrCodeInsufficientPrivilegesException for service response error code
// "InsufficientPrivilegesException". // "InsufficientPrivilegesException".
// //
// The specified account does not have sufficient privileges for one of more // The specified account does not have sufficient privileges for one or more
// AWS services. // AWS services.
ErrCodeInsufficientPrivilegesException = "InsufficientPrivilegesException" ErrCodeInsufficientPrivilegesException = "InsufficientPrivilegesException"

View File

@ -17,7 +17,7 @@ const opAddTags = "AddTags"
// AddTagsRequest generates a "aws/request.Request" representing the // AddTagsRequest generates a "aws/request.Request" representing the
// client's request for the AddTags operation. The "output" return // client's request for the AddTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -110,7 +110,7 @@ const opCreateElasticsearchDomain = "CreateElasticsearchDomain"
// CreateElasticsearchDomainRequest generates a "aws/request.Request" representing the // CreateElasticsearchDomainRequest generates a "aws/request.Request" representing the
// client's request for the CreateElasticsearchDomain operation. The "output" return // client's request for the CreateElasticsearchDomain operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -213,7 +213,7 @@ const opDeleteElasticsearchDomain = "DeleteElasticsearchDomain"
// DeleteElasticsearchDomainRequest generates a "aws/request.Request" representing the // DeleteElasticsearchDomainRequest generates a "aws/request.Request" representing the
// client's request for the DeleteElasticsearchDomain operation. The "output" return // client's request for the DeleteElasticsearchDomain operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -303,7 +303,7 @@ const opDeleteElasticsearchServiceRole = "DeleteElasticsearchServiceRole"
// DeleteElasticsearchServiceRoleRequest generates a "aws/request.Request" representing the // DeleteElasticsearchServiceRoleRequest generates a "aws/request.Request" representing the
// client's request for the DeleteElasticsearchServiceRole operation. The "output" return // client's request for the DeleteElasticsearchServiceRole operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -394,7 +394,7 @@ const opDescribeElasticsearchDomain = "DescribeElasticsearchDomain"
// DescribeElasticsearchDomainRequest generates a "aws/request.Request" representing the // DescribeElasticsearchDomainRequest generates a "aws/request.Request" representing the
// client's request for the DescribeElasticsearchDomain operation. The "output" return // client's request for the DescribeElasticsearchDomain operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -484,7 +484,7 @@ const opDescribeElasticsearchDomainConfig = "DescribeElasticsearchDomainConfig"
// DescribeElasticsearchDomainConfigRequest generates a "aws/request.Request" representing the // DescribeElasticsearchDomainConfigRequest generates a "aws/request.Request" representing the
// client's request for the DescribeElasticsearchDomainConfig operation. The "output" return // client's request for the DescribeElasticsearchDomainConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -575,7 +575,7 @@ const opDescribeElasticsearchDomains = "DescribeElasticsearchDomains"
// DescribeElasticsearchDomainsRequest generates a "aws/request.Request" representing the // DescribeElasticsearchDomainsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeElasticsearchDomains operation. The "output" return // client's request for the DescribeElasticsearchDomains operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -661,7 +661,7 @@ const opDescribeElasticsearchInstanceTypeLimits = "DescribeElasticsearchInstance
// DescribeElasticsearchInstanceTypeLimitsRequest generates a "aws/request.Request" representing the // DescribeElasticsearchInstanceTypeLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeElasticsearchInstanceTypeLimits operation. The "output" return // client's request for the DescribeElasticsearchInstanceTypeLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -760,7 +760,7 @@ const opListDomainNames = "ListDomainNames"
// ListDomainNamesRequest generates a "aws/request.Request" representing the // ListDomainNamesRequest generates a "aws/request.Request" representing the
// client's request for the ListDomainNames operation. The "output" return // client's request for the ListDomainNames operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -841,7 +841,7 @@ const opListElasticsearchInstanceTypes = "ListElasticsearchInstanceTypes"
// ListElasticsearchInstanceTypesRequest generates a "aws/request.Request" representing the // ListElasticsearchInstanceTypesRequest generates a "aws/request.Request" representing the
// client's request for the ListElasticsearchInstanceTypes operation. The "output" return // client's request for the ListElasticsearchInstanceTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -986,7 +986,7 @@ const opListElasticsearchVersions = "ListElasticsearchVersions"
// ListElasticsearchVersionsRequest generates a "aws/request.Request" representing the // ListElasticsearchVersionsRequest generates a "aws/request.Request" representing the
// client's request for the ListElasticsearchVersions operation. The "output" return // client's request for the ListElasticsearchVersions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1131,7 +1131,7 @@ const opListTags = "ListTags"
// ListTagsRequest generates a "aws/request.Request" representing the // ListTagsRequest generates a "aws/request.Request" representing the
// client's request for the ListTags operation. The "output" return // client's request for the ListTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1220,7 +1220,7 @@ const opRemoveTags = "RemoveTags"
// RemoveTagsRequest generates a "aws/request.Request" representing the // RemoveTagsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTags operation. The "output" return // client's request for the RemoveTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1307,7 +1307,7 @@ const opUpdateElasticsearchDomainConfig = "UpdateElasticsearchDomainConfig"
// UpdateElasticsearchDomainConfigRequest generates a "aws/request.Request" representing the // UpdateElasticsearchDomainConfigRequest generates a "aws/request.Request" representing the
// client's request for the UpdateElasticsearchDomainConfig operation. The "output" return // client's request for the UpdateElasticsearchDomainConfig operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1608,6 +1608,116 @@ func (s *AdvancedOptionsStatus) SetStatus(v *OptionStatus) *AdvancedOptionsStatu
return s return s
} }
// Options to specify the Cognito user and identity pools for Kibana authentication.
// For more information, see Amazon Cognito Authentication for Kibana (http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-cognito-auth.html).
type CognitoOptions struct {
_ struct{} `type:"structure"`
// Specifies the option to enable Cognito for Kibana authentication.
Enabled *bool `type:"boolean"`
// Specifies the Cognito identity pool ID for Kibana authentication.
IdentityPoolId *string `min:"1" type:"string"`
// Specifies the role ARN that provides Elasticsearch permissions for accessing
// Cognito resources.
RoleArn *string `min:"20" type:"string"`
// Specifies the Cognito user pool ID for Kibana authentication.
UserPoolId *string `min:"1" type:"string"`
}
// String returns the string representation
func (s CognitoOptions) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s CognitoOptions) GoString() string {
return s.String()
}
// Validate inspects the fields of the type to determine if they are valid.
func (s *CognitoOptions) Validate() error {
invalidParams := request.ErrInvalidParams{Context: "CognitoOptions"}
if s.IdentityPoolId != nil && len(*s.IdentityPoolId) < 1 {
invalidParams.Add(request.NewErrParamMinLen("IdentityPoolId", 1))
}
if s.RoleArn != nil && len(*s.RoleArn) < 20 {
invalidParams.Add(request.NewErrParamMinLen("RoleArn", 20))
}
if s.UserPoolId != nil && len(*s.UserPoolId) < 1 {
invalidParams.Add(request.NewErrParamMinLen("UserPoolId", 1))
}
if invalidParams.Len() > 0 {
return invalidParams
}
return nil
}
// SetEnabled sets the Enabled field's value.
func (s *CognitoOptions) SetEnabled(v bool) *CognitoOptions {
s.Enabled = &v
return s
}
// SetIdentityPoolId sets the IdentityPoolId field's value.
func (s *CognitoOptions) SetIdentityPoolId(v string) *CognitoOptions {
s.IdentityPoolId = &v
return s
}
// SetRoleArn sets the RoleArn field's value.
func (s *CognitoOptions) SetRoleArn(v string) *CognitoOptions {
s.RoleArn = &v
return s
}
// SetUserPoolId sets the UserPoolId field's value.
func (s *CognitoOptions) SetUserPoolId(v string) *CognitoOptions {
s.UserPoolId = &v
return s
}
// Status of the Cognito options for the specified Elasticsearch domain.
type CognitoOptionsStatus struct {
_ struct{} `type:"structure"`
// Specifies the Cognito options for the specified Elasticsearch domain.
//
// Options is a required field
Options *CognitoOptions `type:"structure" required:"true"`
// Specifies the status of the Cognito options for the specified Elasticsearch
// domain.
//
// Status is a required field
Status *OptionStatus `type:"structure" required:"true"`
}
// String returns the string representation
func (s CognitoOptionsStatus) String() string {
return awsutil.Prettify(s)
}
// GoString returns the string representation
func (s CognitoOptionsStatus) GoString() string {
return s.String()
}
// SetOptions sets the Options field's value.
func (s *CognitoOptionsStatus) SetOptions(v *CognitoOptions) *CognitoOptionsStatus {
s.Options = v
return s
}
// SetStatus sets the Status field's value.
func (s *CognitoOptionsStatus) SetStatus(v *OptionStatus) *CognitoOptionsStatus {
s.Status = v
return s
}
type CreateElasticsearchDomainInput struct { type CreateElasticsearchDomainInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
@ -1620,6 +1730,10 @@ type CreateElasticsearchDomainInput struct {
// for more information. // for more information.
AdvancedOptions map[string]*string `type:"map"` AdvancedOptions map[string]*string `type:"map"`
// Options to specify the Cognito user and identity pools for Kibana authentication.
// For more information, see Amazon Cognito Authentication for Kibana (http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-cognito-auth.html).
CognitoOptions *CognitoOptions `type:"structure"`
// The name of the Elasticsearch domain that you are creating. Domain names // The name of the Elasticsearch domain that you are creating. Domain names
// are unique across the domains owned by an account within an AWS region. Domain // are unique across the domains owned by an account within an AWS region. Domain
// names must start with a letter or number and can contain the following characters: // names must start with a letter or number and can contain the following characters:
@ -1677,6 +1791,11 @@ func (s *CreateElasticsearchDomainInput) Validate() error {
if s.DomainName != nil && len(*s.DomainName) < 3 { if s.DomainName != nil && len(*s.DomainName) < 3 {
invalidParams.Add(request.NewErrParamMinLen("DomainName", 3)) invalidParams.Add(request.NewErrParamMinLen("DomainName", 3))
} }
if s.CognitoOptions != nil {
if err := s.CognitoOptions.Validate(); err != nil {
invalidParams.AddNested("CognitoOptions", err.(request.ErrInvalidParams))
}
}
if s.EncryptionAtRestOptions != nil { if s.EncryptionAtRestOptions != nil {
if err := s.EncryptionAtRestOptions.Validate(); err != nil { if err := s.EncryptionAtRestOptions.Validate(); err != nil {
invalidParams.AddNested("EncryptionAtRestOptions", err.(request.ErrInvalidParams)) invalidParams.AddNested("EncryptionAtRestOptions", err.(request.ErrInvalidParams))
@ -1701,6 +1820,12 @@ func (s *CreateElasticsearchDomainInput) SetAdvancedOptions(v map[string]*string
return s return s
} }
// SetCognitoOptions sets the CognitoOptions field's value.
func (s *CreateElasticsearchDomainInput) SetCognitoOptions(v *CognitoOptions) *CreateElasticsearchDomainInput {
s.CognitoOptions = v
return s
}
// SetDomainName sets the DomainName field's value. // SetDomainName sets the DomainName field's value.
func (s *CreateElasticsearchDomainInput) SetDomainName(v string) *CreateElasticsearchDomainInput { func (s *CreateElasticsearchDomainInput) SetDomainName(v string) *CreateElasticsearchDomainInput {
s.DomainName = &v s.DomainName = &v
@ -2410,6 +2535,10 @@ type ElasticsearchDomainConfig struct {
// for more information. // for more information.
AdvancedOptions *AdvancedOptionsStatus `type:"structure"` AdvancedOptions *AdvancedOptionsStatus `type:"structure"`
// The CognitoOptions for the specified domain. For more information, see Amazon
// Cognito Authentication for Kibana (http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-cognito-auth.html).
CognitoOptions *CognitoOptionsStatus `type:"structure"`
// Specifies the EBSOptions for the Elasticsearch domain. // Specifies the EBSOptions for the Elasticsearch domain.
EBSOptions *EBSOptionsStatus `type:"structure"` EBSOptions *EBSOptionsStatus `type:"structure"`
@ -2455,6 +2584,12 @@ func (s *ElasticsearchDomainConfig) SetAdvancedOptions(v *AdvancedOptionsStatus)
return s return s
} }
// SetCognitoOptions sets the CognitoOptions field's value.
func (s *ElasticsearchDomainConfig) SetCognitoOptions(v *CognitoOptionsStatus) *ElasticsearchDomainConfig {
s.CognitoOptions = v
return s
}
// SetEBSOptions sets the EBSOptions field's value. // SetEBSOptions sets the EBSOptions field's value.
func (s *ElasticsearchDomainConfig) SetEBSOptions(v *EBSOptionsStatus) *ElasticsearchDomainConfig { func (s *ElasticsearchDomainConfig) SetEBSOptions(v *EBSOptionsStatus) *ElasticsearchDomainConfig {
s.EBSOptions = v s.EBSOptions = v
@ -2514,6 +2649,10 @@ type ElasticsearchDomainStatus struct {
// Specifies the status of the AdvancedOptions // Specifies the status of the AdvancedOptions
AdvancedOptions map[string]*string `type:"map"` AdvancedOptions map[string]*string `type:"map"`
// The CognitoOptions for the specified domain. For more information, see Amazon
// Cognito Authentication for Kibana (http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-cognito-auth.html).
CognitoOptions *CognitoOptions `type:"structure"`
// The domain creation status. True if the creation of an Elasticsearch domain // The domain creation status. True if the creation of an Elasticsearch domain
// is complete. False if domain creation is still in progress. // is complete. False if domain creation is still in progress.
Created *bool `type:"boolean"` Created *bool `type:"boolean"`
@ -2604,6 +2743,12 @@ func (s *ElasticsearchDomainStatus) SetAdvancedOptions(v map[string]*string) *El
return s return s
} }
// SetCognitoOptions sets the CognitoOptions field's value.
func (s *ElasticsearchDomainStatus) SetCognitoOptions(v *CognitoOptions) *ElasticsearchDomainStatus {
s.CognitoOptions = v
return s
}
// SetCreated sets the Created field's value. // SetCreated sets the Created field's value.
func (s *ElasticsearchDomainStatus) SetCreated(v bool) *ElasticsearchDomainStatus { func (s *ElasticsearchDomainStatus) SetCreated(v bool) *ElasticsearchDomainStatus {
s.Created = &v s.Created = &v
@ -3646,6 +3791,10 @@ type UpdateElasticsearchDomainConfigInput struct {
// for more information. // for more information.
AdvancedOptions map[string]*string `type:"map"` AdvancedOptions map[string]*string `type:"map"`
// Options to specify the Cognito user and identity pools for Kibana authentication.
// For more information, see Amazon Cognito Authentication for Kibana (http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-cognito-auth.html).
CognitoOptions *CognitoOptions `type:"structure"`
// The name of the Elasticsearch domain that you are updating. // The name of the Elasticsearch domain that you are updating.
// //
// DomainName is a required field // DomainName is a required field
@ -3690,6 +3839,11 @@ func (s *UpdateElasticsearchDomainConfigInput) Validate() error {
if s.DomainName != nil && len(*s.DomainName) < 3 { if s.DomainName != nil && len(*s.DomainName) < 3 {
invalidParams.Add(request.NewErrParamMinLen("DomainName", 3)) invalidParams.Add(request.NewErrParamMinLen("DomainName", 3))
} }
if s.CognitoOptions != nil {
if err := s.CognitoOptions.Validate(); err != nil {
invalidParams.AddNested("CognitoOptions", err.(request.ErrInvalidParams))
}
}
if invalidParams.Len() > 0 { if invalidParams.Len() > 0 {
return invalidParams return invalidParams
@ -3709,6 +3863,12 @@ func (s *UpdateElasticsearchDomainConfigInput) SetAdvancedOptions(v map[string]*
return s return s
} }
// SetCognitoOptions sets the CognitoOptions field's value.
func (s *UpdateElasticsearchDomainConfigInput) SetCognitoOptions(v *CognitoOptions) *UpdateElasticsearchDomainConfigInput {
s.CognitoOptions = v
return s
}
// SetDomainName sets the DomainName field's value. // SetDomainName sets the DomainName field's value.
func (s *UpdateElasticsearchDomainConfigInput) SetDomainName(v string) *UpdateElasticsearchDomainConfigInput { func (s *UpdateElasticsearchDomainConfigInput) SetDomainName(v string) *UpdateElasticsearchDomainConfigInput {
s.DomainName = &v s.DomainName = &v

View File

@ -14,7 +14,7 @@ const opCancelJob = "CancelJob"
// CancelJobRequest generates a "aws/request.Request" representing the // CancelJobRequest generates a "aws/request.Request" representing the
// client's request for the CancelJob operation. The "output" return // client's request for the CancelJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -112,7 +112,7 @@ const opCreateJob = "CreateJob"
// CreateJobRequest generates a "aws/request.Request" representing the // CreateJobRequest generates a "aws/request.Request" representing the
// client's request for the CreateJob operation. The "output" return // client's request for the CreateJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -212,7 +212,7 @@ const opCreatePipeline = "CreatePipeline"
// CreatePipelineRequest generates a "aws/request.Request" representing the // CreatePipelineRequest generates a "aws/request.Request" representing the
// client's request for the CreatePipeline operation. The "output" return // client's request for the CreatePipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -306,7 +306,7 @@ const opCreatePreset = "CreatePreset"
// CreatePresetRequest generates a "aws/request.Request" representing the // CreatePresetRequest generates a "aws/request.Request" representing the
// client's request for the CreatePreset operation. The "output" return // client's request for the CreatePreset operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -409,7 +409,7 @@ const opDeletePipeline = "DeletePipeline"
// DeletePipelineRequest generates a "aws/request.Request" representing the // DeletePipelineRequest generates a "aws/request.Request" representing the
// client's request for the DeletePipeline operation. The "output" return // client's request for the DeletePipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -507,7 +507,7 @@ const opDeletePreset = "DeletePreset"
// DeletePresetRequest generates a "aws/request.Request" representing the // DeletePresetRequest generates a "aws/request.Request" representing the
// client's request for the DeletePreset operation. The "output" return // client's request for the DeletePreset operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -599,7 +599,7 @@ const opListJobsByPipeline = "ListJobsByPipeline"
// ListJobsByPipelineRequest generates a "aws/request.Request" representing the // ListJobsByPipelineRequest generates a "aws/request.Request" representing the
// client's request for the ListJobsByPipeline operation. The "output" return // client's request for the ListJobsByPipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -749,7 +749,7 @@ const opListJobsByStatus = "ListJobsByStatus"
// ListJobsByStatusRequest generates a "aws/request.Request" representing the // ListJobsByStatusRequest generates a "aws/request.Request" representing the
// client's request for the ListJobsByStatus operation. The "output" return // client's request for the ListJobsByStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -897,7 +897,7 @@ const opListPipelines = "ListPipelines"
// ListPipelinesRequest generates a "aws/request.Request" representing the // ListPipelinesRequest generates a "aws/request.Request" representing the
// client's request for the ListPipelines operation. The "output" return // client's request for the ListPipelines operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1039,7 +1039,7 @@ const opListPresets = "ListPresets"
// ListPresetsRequest generates a "aws/request.Request" representing the // ListPresetsRequest generates a "aws/request.Request" representing the
// client's request for the ListPresets operation. The "output" return // client's request for the ListPresets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1181,7 +1181,7 @@ const opReadJob = "ReadJob"
// ReadJobRequest generates a "aws/request.Request" representing the // ReadJobRequest generates a "aws/request.Request" representing the
// client's request for the ReadJob operation. The "output" return // client's request for the ReadJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1271,7 +1271,7 @@ const opReadPipeline = "ReadPipeline"
// ReadPipelineRequest generates a "aws/request.Request" representing the // ReadPipelineRequest generates a "aws/request.Request" representing the
// client's request for the ReadPipeline operation. The "output" return // client's request for the ReadPipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1361,7 +1361,7 @@ const opReadPreset = "ReadPreset"
// ReadPresetRequest generates a "aws/request.Request" representing the // ReadPresetRequest generates a "aws/request.Request" representing the
// client's request for the ReadPreset operation. The "output" return // client's request for the ReadPreset operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1451,7 +1451,7 @@ const opTestRole = "TestRole"
// TestRoleRequest generates a "aws/request.Request" representing the // TestRoleRequest generates a "aws/request.Request" representing the
// client's request for the TestRole operation. The "output" return // client's request for the TestRole operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1550,7 +1550,7 @@ const opUpdatePipeline = "UpdatePipeline"
// UpdatePipelineRequest generates a "aws/request.Request" representing the // UpdatePipelineRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePipeline operation. The "output" return // client's request for the UpdatePipeline operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1649,7 +1649,7 @@ const opUpdatePipelineNotifications = "UpdatePipelineNotifications"
// UpdatePipelineNotificationsRequest generates a "aws/request.Request" representing the // UpdatePipelineNotificationsRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePipelineNotifications operation. The "output" return // client's request for the UpdatePipelineNotifications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1747,7 +1747,7 @@ const opUpdatePipelineStatus = "UpdatePipelineStatus"
// UpdatePipelineStatusRequest generates a "aws/request.Request" representing the // UpdatePipelineStatusRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePipelineStatus operation. The "output" return // client's request for the UpdatePipelineStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -15,7 +15,7 @@ const opAddTags = "AddTags"
// AddTagsRequest generates a "aws/request.Request" representing the // AddTagsRequest generates a "aws/request.Request" representing the
// client's request for the AddTags operation. The "output" return // client's request for the AddTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -108,7 +108,7 @@ const opApplySecurityGroupsToLoadBalancer = "ApplySecurityGroupsToLoadBalancer"
// ApplySecurityGroupsToLoadBalancerRequest generates a "aws/request.Request" representing the // ApplySecurityGroupsToLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the ApplySecurityGroupsToLoadBalancer operation. The "output" return // client's request for the ApplySecurityGroupsToLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -198,7 +198,7 @@ const opAttachLoadBalancerToSubnets = "AttachLoadBalancerToSubnets"
// AttachLoadBalancerToSubnetsRequest generates a "aws/request.Request" representing the // AttachLoadBalancerToSubnetsRequest generates a "aws/request.Request" representing the
// client's request for the AttachLoadBalancerToSubnets operation. The "output" return // client's request for the AttachLoadBalancerToSubnets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -292,7 +292,7 @@ const opConfigureHealthCheck = "ConfigureHealthCheck"
// ConfigureHealthCheckRequest generates a "aws/request.Request" representing the // ConfigureHealthCheckRequest generates a "aws/request.Request" representing the
// client's request for the ConfigureHealthCheck operation. The "output" return // client's request for the ConfigureHealthCheck operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -376,7 +376,7 @@ const opCreateAppCookieStickinessPolicy = "CreateAppCookieStickinessPolicy"
// CreateAppCookieStickinessPolicyRequest generates a "aws/request.Request" representing the // CreateAppCookieStickinessPolicyRequest generates a "aws/request.Request" representing the
// client's request for the CreateAppCookieStickinessPolicy operation. The "output" return // client's request for the CreateAppCookieStickinessPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -478,7 +478,7 @@ const opCreateLBCookieStickinessPolicy = "CreateLBCookieStickinessPolicy"
// CreateLBCookieStickinessPolicyRequest generates a "aws/request.Request" representing the // CreateLBCookieStickinessPolicyRequest generates a "aws/request.Request" representing the
// client's request for the CreateLBCookieStickinessPolicy operation. The "output" return // client's request for the CreateLBCookieStickinessPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -582,7 +582,7 @@ const opCreateLoadBalancer = "CreateLoadBalancer"
// CreateLoadBalancerRequest generates a "aws/request.Request" representing the // CreateLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the CreateLoadBalancer operation. The "output" return // client's request for the CreateLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -711,7 +711,7 @@ const opCreateLoadBalancerListeners = "CreateLoadBalancerListeners"
// CreateLoadBalancerListenersRequest generates a "aws/request.Request" representing the // CreateLoadBalancerListenersRequest generates a "aws/request.Request" representing the
// client's request for the CreateLoadBalancerListeners operation. The "output" return // client's request for the CreateLoadBalancerListeners operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -812,7 +812,7 @@ const opCreateLoadBalancerPolicy = "CreateLoadBalancerPolicy"
// CreateLoadBalancerPolicyRequest generates a "aws/request.Request" representing the // CreateLoadBalancerPolicyRequest generates a "aws/request.Request" representing the
// client's request for the CreateLoadBalancerPolicy operation. The "output" return // client's request for the CreateLoadBalancerPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -907,7 +907,7 @@ const opDeleteLoadBalancer = "DeleteLoadBalancer"
// DeleteLoadBalancerRequest generates a "aws/request.Request" representing the // DeleteLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLoadBalancer operation. The "output" return // client's request for the DeleteLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -990,7 +990,7 @@ const opDeleteLoadBalancerListeners = "DeleteLoadBalancerListeners"
// DeleteLoadBalancerListenersRequest generates a "aws/request.Request" representing the // DeleteLoadBalancerListenersRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLoadBalancerListeners operation. The "output" return // client's request for the DeleteLoadBalancerListeners operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1069,7 +1069,7 @@ const opDeleteLoadBalancerPolicy = "DeleteLoadBalancerPolicy"
// DeleteLoadBalancerPolicyRequest generates a "aws/request.Request" representing the // DeleteLoadBalancerPolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLoadBalancerPolicy operation. The "output" return // client's request for the DeleteLoadBalancerPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1152,7 +1152,7 @@ const opDeregisterInstancesFromLoadBalancer = "DeregisterInstancesFromLoadBalanc
// DeregisterInstancesFromLoadBalancerRequest generates a "aws/request.Request" representing the // DeregisterInstancesFromLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the DeregisterInstancesFromLoadBalancer operation. The "output" return // client's request for the DeregisterInstancesFromLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1242,7 +1242,7 @@ const opDescribeAccountLimits = "DescribeAccountLimits"
// DescribeAccountLimitsRequest generates a "aws/request.Request" representing the // DescribeAccountLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAccountLimits operation. The "output" return // client's request for the DescribeAccountLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1320,7 +1320,7 @@ const opDescribeInstanceHealth = "DescribeInstanceHealth"
// DescribeInstanceHealthRequest generates a "aws/request.Request" representing the // DescribeInstanceHealthRequest generates a "aws/request.Request" representing the
// client's request for the DescribeInstanceHealth operation. The "output" return // client's request for the DescribeInstanceHealth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1407,7 +1407,7 @@ const opDescribeLoadBalancerAttributes = "DescribeLoadBalancerAttributes"
// DescribeLoadBalancerAttributesRequest generates a "aws/request.Request" representing the // DescribeLoadBalancerAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancerAttributes operation. The "output" return // client's request for the DescribeLoadBalancerAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1489,7 +1489,7 @@ const opDescribeLoadBalancerPolicies = "DescribeLoadBalancerPolicies"
// DescribeLoadBalancerPoliciesRequest generates a "aws/request.Request" representing the // DescribeLoadBalancerPoliciesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancerPolicies operation. The "output" return // client's request for the DescribeLoadBalancerPolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1578,7 +1578,7 @@ const opDescribeLoadBalancerPolicyTypes = "DescribeLoadBalancerPolicyTypes"
// DescribeLoadBalancerPolicyTypesRequest generates a "aws/request.Request" representing the // DescribeLoadBalancerPolicyTypesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancerPolicyTypes operation. The "output" return // client's request for the DescribeLoadBalancerPolicyTypes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1668,7 +1668,7 @@ const opDescribeLoadBalancers = "DescribeLoadBalancers"
// DescribeLoadBalancersRequest generates a "aws/request.Request" representing the // DescribeLoadBalancersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancers operation. The "output" return // client's request for the DescribeLoadBalancers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1806,7 +1806,7 @@ const opDescribeTags = "DescribeTags"
// DescribeTagsRequest generates a "aws/request.Request" representing the // DescribeTagsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTags operation. The "output" return // client's request for the DescribeTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1885,7 +1885,7 @@ const opDetachLoadBalancerFromSubnets = "DetachLoadBalancerFromSubnets"
// DetachLoadBalancerFromSubnetsRequest generates a "aws/request.Request" representing the // DetachLoadBalancerFromSubnetsRequest generates a "aws/request.Request" representing the
// client's request for the DetachLoadBalancerFromSubnets operation. The "output" return // client's request for the DetachLoadBalancerFromSubnets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1972,7 +1972,7 @@ const opDisableAvailabilityZonesForLoadBalancer = "DisableAvailabilityZonesForLo
// DisableAvailabilityZonesForLoadBalancerRequest generates a "aws/request.Request" representing the // DisableAvailabilityZonesForLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the DisableAvailabilityZonesForLoadBalancer operation. The "output" return // client's request for the DisableAvailabilityZonesForLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2064,7 +2064,7 @@ const opEnableAvailabilityZonesForLoadBalancer = "EnableAvailabilityZonesForLoad
// EnableAvailabilityZonesForLoadBalancerRequest generates a "aws/request.Request" representing the // EnableAvailabilityZonesForLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the EnableAvailabilityZonesForLoadBalancer operation. The "output" return // client's request for the EnableAvailabilityZonesForLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2150,7 +2150,7 @@ const opModifyLoadBalancerAttributes = "ModifyLoadBalancerAttributes"
// ModifyLoadBalancerAttributesRequest generates a "aws/request.Request" representing the // ModifyLoadBalancerAttributesRequest generates a "aws/request.Request" representing the
// client's request for the ModifyLoadBalancerAttributes operation. The "output" return // client's request for the ModifyLoadBalancerAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2250,7 +2250,7 @@ const opRegisterInstancesWithLoadBalancer = "RegisterInstancesWithLoadBalancer"
// RegisterInstancesWithLoadBalancerRequest generates a "aws/request.Request" representing the // RegisterInstancesWithLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the RegisterInstancesWithLoadBalancer operation. The "output" return // client's request for the RegisterInstancesWithLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2354,7 +2354,7 @@ const opRemoveTags = "RemoveTags"
// RemoveTagsRequest generates a "aws/request.Request" representing the // RemoveTagsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTags operation. The "output" return // client's request for the RemoveTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2433,7 +2433,7 @@ const opSetLoadBalancerListenerSSLCertificate = "SetLoadBalancerListenerSSLCerti
// SetLoadBalancerListenerSSLCertificateRequest generates a "aws/request.Request" representing the // SetLoadBalancerListenerSSLCertificateRequest generates a "aws/request.Request" representing the
// client's request for the SetLoadBalancerListenerSSLCertificate operation. The "output" return // client's request for the SetLoadBalancerListenerSSLCertificate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2533,7 +2533,7 @@ const opSetLoadBalancerPoliciesForBackendServer = "SetLoadBalancerPoliciesForBac
// SetLoadBalancerPoliciesForBackendServerRequest generates a "aws/request.Request" representing the // SetLoadBalancerPoliciesForBackendServerRequest generates a "aws/request.Request" representing the
// client's request for the SetLoadBalancerPoliciesForBackendServer operation. The "output" return // client's request for the SetLoadBalancerPoliciesForBackendServer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2633,7 +2633,7 @@ const opSetLoadBalancerPoliciesOfListener = "SetLoadBalancerPoliciesOfListener"
// SetLoadBalancerPoliciesOfListenerRequest generates a "aws/request.Request" representing the // SetLoadBalancerPoliciesOfListenerRequest generates a "aws/request.Request" representing the
// client's request for the SetLoadBalancerPoliciesOfListener operation. The "output" return // client's request for the SetLoadBalancerPoliciesOfListener operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -15,7 +15,7 @@ const opAddListenerCertificates = "AddListenerCertificates"
// AddListenerCertificatesRequest generates a "aws/request.Request" representing the // AddListenerCertificatesRequest generates a "aws/request.Request" representing the
// client's request for the AddListenerCertificates operation. The "output" return // client's request for the AddListenerCertificates operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -106,7 +106,7 @@ const opAddTags = "AddTags"
// AddTagsRequest generates a "aws/request.Request" representing the // AddTagsRequest generates a "aws/request.Request" representing the
// client's request for the AddTags operation. The "output" return // client's request for the AddTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -202,7 +202,7 @@ const opCreateListener = "CreateListener"
// CreateListenerRequest generates a "aws/request.Request" representing the // CreateListenerRequest generates a "aws/request.Request" representing the
// client's request for the CreateListener operation. The "output" return // client's request for the CreateListener operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -245,12 +245,14 @@ func (c *ELBV2) CreateListenerRequest(input *CreateListenerInput) (req *request.
// Creates a listener for the specified Application Load Balancer or Network // Creates a listener for the specified Application Load Balancer or Network
// Load Balancer. // Load Balancer.
// //
// You can create up to 10 listeners per load balancer.
//
// To update a listener, use ModifyListener. When you are finished with a listener, // To update a listener, use ModifyListener. When you are finished with a listener,
// you can delete it using DeleteListener. If you are finished with both the // you can delete it using DeleteListener. If you are finished with both the
// listener and the load balancer, you can delete them both using DeleteLoadBalancer. // listener and the load balancer, you can delete them both using DeleteLoadBalancer.
// //
// This operation is idempotent, which means that it completes at most one time.
// If you attempt to create multiple listeners with the same settings, each
// call succeeds.
//
// For more information, see Listeners for Your Application Load Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-listeners.html) // For more information, see Listeners for Your Application Load Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-listeners.html)
// in the Application Load Balancers Guide and Listeners for Your Network Load // in the Application Load Balancers Guide and Listeners for Your Network Load
// Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/network/load-balancer-listeners.html) // Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/network/load-balancer-listeners.html)
@ -330,7 +332,7 @@ const opCreateLoadBalancer = "CreateLoadBalancer"
// CreateLoadBalancerRequest generates a "aws/request.Request" representing the // CreateLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the CreateLoadBalancer operation. The "output" return // client's request for the CreateLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -372,21 +374,23 @@ func (c *ELBV2) CreateLoadBalancerRequest(input *CreateLoadBalancerInput) (req *
// //
// Creates an Application Load Balancer or a Network Load Balancer. // Creates an Application Load Balancer or a Network Load Balancer.
// //
// When you create a load balancer, you can specify security groups, subnets, // When you create a load balancer, you can specify security groups, public
// IP address type, and tags. Otherwise, you could do so later using SetSecurityGroups, // subnets, IP address type, and tags. Otherwise, you could do so later using
// SetSubnets, SetIpAddressType, and AddTags. // SetSecurityGroups, SetSubnets, SetIpAddressType, and AddTags.
// //
// To create listeners for your load balancer, use CreateListener. To describe // To create listeners for your load balancer, use CreateListener. To describe
// your current load balancers, see DescribeLoadBalancers. When you are finished // your current load balancers, see DescribeLoadBalancers. When you are finished
// with a load balancer, you can delete it using DeleteLoadBalancer. // with a load balancer, you can delete it using DeleteLoadBalancer.
// //
// You can create up to 20 load balancers per region per account. You can request // For limit information, see Limits for Your Application Load Balancer (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-limits.html)
// an increase for the number of load balancers for your account. For more information,
// see Limits for Your Application Load Balancer (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-limits.html)
// in the Application Load Balancers Guide and Limits for Your Network Load // in the Application Load Balancers Guide and Limits for Your Network Load
// Balancer (http://docs.aws.amazon.com/elasticloadbalancing/latest/network/load-balancer-limits.html) // Balancer (http://docs.aws.amazon.com/elasticloadbalancing/latest/network/load-balancer-limits.html)
// in the Network Load Balancers Guide. // in the Network Load Balancers Guide.
// //
// This operation is idempotent, which means that it completes at most one time.
// If you attempt to create multiple load balancers with the same settings,
// each call succeeds.
//
// For more information, see Application Load Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/application-load-balancers.html) // For more information, see Application Load Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/application-load-balancers.html)
// in the Application Load Balancers Guide and Network Load Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/network/network-load-balancers.html) // in the Application Load Balancers Guide and Network Load Balancers (http://docs.aws.amazon.com/elasticloadbalancing/latest/network/network-load-balancers.html)
// in the Network Load Balancers Guide. // in the Network Load Balancers Guide.
@ -464,7 +468,7 @@ const opCreateRule = "CreateRule"
// CreateRuleRequest generates a "aws/request.Request" representing the // CreateRuleRequest generates a "aws/request.Request" representing the
// client's request for the CreateRule operation. The "output" return // client's request for the CreateRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -582,7 +586,7 @@ const opCreateTargetGroup = "CreateTargetGroup"
// CreateTargetGroupRequest generates a "aws/request.Request" representing the // CreateTargetGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateTargetGroup operation. The "output" return // client's request for the CreateTargetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -633,6 +637,10 @@ func (c *ELBV2) CreateTargetGroupRequest(input *CreateTargetGroupInput) (req *re
// //
// To delete a target group, use DeleteTargetGroup. // To delete a target group, use DeleteTargetGroup.
// //
// This operation is idempotent, which means that it completes at most one time.
// If you attempt to create multiple target groups with the same settings, each
// call succeeds.
//
// For more information, see Target Groups for Your Application Load Balancers // For more information, see Target Groups for Your Application Load Balancers
// (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-target-groups.html) // (http://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-target-groups.html)
// in the Application Load Balancers Guide or Target Groups for Your Network // in the Application Load Balancers Guide or Target Groups for Your Network
@ -682,7 +690,7 @@ const opDeleteListener = "DeleteListener"
// DeleteListenerRequest generates a "aws/request.Request" representing the // DeleteListenerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteListener operation. The "output" return // client's request for the DeleteListener operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -764,7 +772,7 @@ const opDeleteLoadBalancer = "DeleteLoadBalancer"
// DeleteLoadBalancerRequest generates a "aws/request.Request" representing the // DeleteLoadBalancerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteLoadBalancer operation. The "output" return // client's request for the DeleteLoadBalancer operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -858,7 +866,7 @@ const opDeleteRule = "DeleteRule"
// DeleteRuleRequest generates a "aws/request.Request" representing the // DeleteRuleRequest generates a "aws/request.Request" representing the
// client's request for the DeleteRule operation. The "output" return // client's request for the DeleteRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -940,7 +948,7 @@ const opDeleteTargetGroup = "DeleteTargetGroup"
// DeleteTargetGroupRequest generates a "aws/request.Request" representing the // DeleteTargetGroupRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTargetGroup operation. The "output" return // client's request for the DeleteTargetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1022,7 +1030,7 @@ const opDeregisterTargets = "DeregisterTargets"
// DeregisterTargetsRequest generates a "aws/request.Request" representing the // DeregisterTargetsRequest generates a "aws/request.Request" representing the
// client's request for the DeregisterTargets operation. The "output" return // client's request for the DeregisterTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1078,8 +1086,8 @@ func (c *ELBV2) DeregisterTargetsRequest(input *DeregisterTargetsInput) (req *re
// The specified target group does not exist. // The specified target group does not exist.
// //
// * ErrCodeInvalidTargetException "InvalidTarget" // * ErrCodeInvalidTargetException "InvalidTarget"
// The specified target does not exist or is not in the same VPC as the target // The specified target does not exist, is not in the same VPC as the target
// group. // group, or has an unsupported instance type.
// //
// See also, https://docs.aws.amazon.com/goto/WebAPI/elasticloadbalancingv2-2015-12-01/DeregisterTargets // See also, https://docs.aws.amazon.com/goto/WebAPI/elasticloadbalancingv2-2015-12-01/DeregisterTargets
func (c *ELBV2) DeregisterTargets(input *DeregisterTargetsInput) (*DeregisterTargetsOutput, error) { func (c *ELBV2) DeregisterTargets(input *DeregisterTargetsInput) (*DeregisterTargetsOutput, error) {
@ -1107,7 +1115,7 @@ const opDescribeAccountLimits = "DescribeAccountLimits"
// DescribeAccountLimitsRequest generates a "aws/request.Request" representing the // DescribeAccountLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAccountLimits operation. The "output" return // client's request for the DescribeAccountLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1187,7 +1195,7 @@ const opDescribeListenerCertificates = "DescribeListenerCertificates"
// DescribeListenerCertificatesRequest generates a "aws/request.Request" representing the // DescribeListenerCertificatesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeListenerCertificates operation. The "output" return // client's request for the DescribeListenerCertificates operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1266,7 +1274,7 @@ const opDescribeListeners = "DescribeListeners"
// DescribeListenersRequest generates a "aws/request.Request" representing the // DescribeListenersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeListeners operation. The "output" return // client's request for the DescribeListeners operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1406,7 +1414,7 @@ const opDescribeLoadBalancerAttributes = "DescribeLoadBalancerAttributes"
// DescribeLoadBalancerAttributesRequest generates a "aws/request.Request" representing the // DescribeLoadBalancerAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancerAttributes operation. The "output" return // client's request for the DescribeLoadBalancerAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1486,7 +1494,7 @@ const opDescribeLoadBalancers = "DescribeLoadBalancers"
// DescribeLoadBalancersRequest generates a "aws/request.Request" representing the // DescribeLoadBalancersRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLoadBalancers operation. The "output" return // client's request for the DescribeLoadBalancers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1624,7 +1632,7 @@ const opDescribeRules = "DescribeRules"
// DescribeRulesRequest generates a "aws/request.Request" representing the // DescribeRulesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRules operation. The "output" return // client's request for the DescribeRules operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1707,7 +1715,7 @@ const opDescribeSSLPolicies = "DescribeSSLPolicies"
// DescribeSSLPoliciesRequest generates a "aws/request.Request" representing the // DescribeSSLPoliciesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSSLPolicies operation. The "output" return // client's request for the DescribeSSLPolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1789,7 +1797,7 @@ const opDescribeTags = "DescribeTags"
// DescribeTagsRequest generates a "aws/request.Request" representing the // DescribeTagsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTags operation. The "output" return // client's request for the DescribeTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1879,7 +1887,7 @@ const opDescribeTargetGroupAttributes = "DescribeTargetGroupAttributes"
// DescribeTargetGroupAttributesRequest generates a "aws/request.Request" representing the // DescribeTargetGroupAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTargetGroupAttributes operation. The "output" return // client's request for the DescribeTargetGroupAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1958,7 +1966,7 @@ const opDescribeTargetGroups = "DescribeTargetGroups"
// DescribeTargetGroupsRequest generates a "aws/request.Request" representing the // DescribeTargetGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTargetGroups operation. The "output" return // client's request for the DescribeTargetGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2102,7 +2110,7 @@ const opDescribeTargetHealth = "DescribeTargetHealth"
// DescribeTargetHealthRequest generates a "aws/request.Request" representing the // DescribeTargetHealthRequest generates a "aws/request.Request" representing the
// client's request for the DescribeTargetHealth operation. The "output" return // client's request for the DescribeTargetHealth operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2153,8 +2161,8 @@ func (c *ELBV2) DescribeTargetHealthRequest(input *DescribeTargetHealthInput) (r
// //
// Returned Error Codes: // Returned Error Codes:
// * ErrCodeInvalidTargetException "InvalidTarget" // * ErrCodeInvalidTargetException "InvalidTarget"
// The specified target does not exist or is not in the same VPC as the target // The specified target does not exist, is not in the same VPC as the target
// group. // group, or has an unsupported instance type.
// //
// * ErrCodeTargetGroupNotFoundException "TargetGroupNotFound" // * ErrCodeTargetGroupNotFoundException "TargetGroupNotFound"
// The specified target group does not exist. // The specified target group does not exist.
@ -2189,7 +2197,7 @@ const opModifyListener = "ModifyListener"
// ModifyListenerRequest generates a "aws/request.Request" representing the // ModifyListenerRequest generates a "aws/request.Request" representing the
// client's request for the ModifyListener operation. The "output" return // client's request for the ModifyListener operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2310,7 +2318,7 @@ const opModifyLoadBalancerAttributes = "ModifyLoadBalancerAttributes"
// ModifyLoadBalancerAttributesRequest generates a "aws/request.Request" representing the // ModifyLoadBalancerAttributesRequest generates a "aws/request.Request" representing the
// client's request for the ModifyLoadBalancerAttributes operation. The "output" return // client's request for the ModifyLoadBalancerAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2397,7 +2405,7 @@ const opModifyRule = "ModifyRule"
// ModifyRuleRequest generates a "aws/request.Request" representing the // ModifyRuleRequest generates a "aws/request.Request" representing the
// client's request for the ModifyRule operation. The "output" return // client's request for the ModifyRule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2499,7 +2507,7 @@ const opModifyTargetGroup = "ModifyTargetGroup"
// ModifyTargetGroupRequest generates a "aws/request.Request" representing the // ModifyTargetGroupRequest generates a "aws/request.Request" representing the
// client's request for the ModifyTargetGroup operation. The "output" return // client's request for the ModifyTargetGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2584,7 +2592,7 @@ const opModifyTargetGroupAttributes = "ModifyTargetGroupAttributes"
// ModifyTargetGroupAttributesRequest generates a "aws/request.Request" representing the // ModifyTargetGroupAttributesRequest generates a "aws/request.Request" representing the
// client's request for the ModifyTargetGroupAttributes operation. The "output" return // client's request for the ModifyTargetGroupAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2666,7 +2674,7 @@ const opRegisterTargets = "RegisterTargets"
// RegisterTargetsRequest generates a "aws/request.Request" representing the // RegisterTargetsRequest generates a "aws/request.Request" representing the
// client's request for the RegisterTargets operation. The "output" return // client's request for the RegisterTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2738,8 +2746,8 @@ func (c *ELBV2) RegisterTargetsRequest(input *RegisterTargetsInput) (req *reques
// You've reached the limit on the number of targets. // You've reached the limit on the number of targets.
// //
// * ErrCodeInvalidTargetException "InvalidTarget" // * ErrCodeInvalidTargetException "InvalidTarget"
// The specified target does not exist or is not in the same VPC as the target // The specified target does not exist, is not in the same VPC as the target
// group. // group, or has an unsupported instance type.
// //
// * ErrCodeTooManyRegistrationsForTargetIdException "TooManyRegistrationsForTargetId" // * ErrCodeTooManyRegistrationsForTargetIdException "TooManyRegistrationsForTargetId"
// You've reached the limit on the number of times a target can be registered // You've reached the limit on the number of times a target can be registered
@ -2771,7 +2779,7 @@ const opRemoveListenerCertificates = "RemoveListenerCertificates"
// RemoveListenerCertificatesRequest generates a "aws/request.Request" representing the // RemoveListenerCertificatesRequest generates a "aws/request.Request" representing the
// client's request for the RemoveListenerCertificates operation. The "output" return // client's request for the RemoveListenerCertificates operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2858,7 +2866,7 @@ const opRemoveTags = "RemoveTags"
// RemoveTagsRequest generates a "aws/request.Request" representing the // RemoveTagsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTags operation. The "output" return // client's request for the RemoveTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2951,7 +2959,7 @@ const opSetIpAddressType = "SetIpAddressType"
// SetIpAddressTypeRequest generates a "aws/request.Request" representing the // SetIpAddressTypeRequest generates a "aws/request.Request" representing the
// client's request for the SetIpAddressType operation. The "output" return // client's request for the SetIpAddressType operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3039,7 +3047,7 @@ const opSetRulePriorities = "SetRulePriorities"
// SetRulePrioritiesRequest generates a "aws/request.Request" representing the // SetRulePrioritiesRequest generates a "aws/request.Request" representing the
// client's request for the SetRulePriorities operation. The "output" return // client's request for the SetRulePriorities operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3128,7 +3136,7 @@ const opSetSecurityGroups = "SetSecurityGroups"
// SetSecurityGroupsRequest generates a "aws/request.Request" representing the // SetSecurityGroupsRequest generates a "aws/request.Request" representing the
// client's request for the SetSecurityGroups operation. The "output" return // client's request for the SetSecurityGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3217,7 +3225,7 @@ const opSetSubnets = "SetSubnets"
// SetSubnetsRequest generates a "aws/request.Request" representing the // SetSubnetsRequest generates a "aws/request.Request" representing the
// client's request for the SetSubnets operation. The "output" return // client's request for the SetSubnets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3257,7 +3265,7 @@ func (c *ELBV2) SetSubnetsRequest(input *SetSubnetsInput) (req *request.Request,
// SetSubnets API operation for Elastic Load Balancing. // SetSubnets API operation for Elastic Load Balancing.
// //
// Enables the Availability Zone for the specified subnets for the specified // Enables the Availability Zone for the specified public subnets for the specified
// Application Load Balancer. The specified subnets replace the previously enabled // Application Load Balancer. The specified subnets replace the previously enabled
// subnets. // subnets.
// //
@ -3797,32 +3805,34 @@ type CreateLoadBalancerInput struct {
// The default is an Internet-facing load balancer. // The default is an Internet-facing load balancer.
Scheme *string `type:"string" enum:"LoadBalancerSchemeEnum"` Scheme *string `type:"string" enum:"LoadBalancerSchemeEnum"`
// [Application Load Balancers] The IDs of the security groups to assign to // [Application Load Balancers] The IDs of the security groups for the load
// the load balancer. // balancer.
SecurityGroups []*string `type:"list"` SecurityGroups []*string `type:"list"`
// The IDs of the subnets to attach to the load balancer. You can specify only // The IDs of the public subnets. You can specify only one subnet per Availability
// one subnet per Availability Zone. You must specify either subnets or subnet // Zone. You must specify either subnets or subnet mappings.
// mappings.
//
// [Network Load Balancers] You can specify one Elastic IP address per subnet.
//
// [Application Load Balancers] You cannot specify Elastic IP addresses for
// your subnets.
SubnetMappings []*SubnetMapping `type:"list"`
// The IDs of the subnets to attach to the load balancer. You can specify only
// one subnet per Availability Zone. You must specify either subnets or subnet
// mappings.
// //
// [Application Load Balancers] You must specify subnets from at least two Availability // [Application Load Balancers] You must specify subnets from at least two Availability
// Zones. You cannot specify Elastic IP addresses for your subnets.
//
// [Network Load Balancers] You can specify subnets from one or more Availability
// Zones. You can specify one Elastic IP address per subnet.
SubnetMappings []*SubnetMapping `type:"list"`
// The IDs of the public subnets. You can specify only one subnet per Availability
// Zone. You must specify either subnets or subnet mappings.
//
// [Application Load Balancers] You must specify subnets from at least two Availability
// Zones.
//
// [Network Load Balancers] You can specify subnets from one or more Availability
// Zones. // Zones.
Subnets []*string `type:"list"` Subnets []*string `type:"list"`
// One or more tags to assign to the load balancer. // One or more tags to assign to the load balancer.
Tags []*Tag `min:"1" type:"list"` Tags []*Tag `min:"1" type:"list"`
// The type of load balancer to create. The default is application. // The type of load balancer. The default is application.
Type *string `type:"string" enum:"LoadBalancerTypeEnum"` Type *string `type:"string" enum:"LoadBalancerTypeEnum"`
} }
@ -5548,6 +5558,10 @@ type Limit struct {
// * target-groups // * target-groups
// //
// * targets-per-application-load-balancer // * targets-per-application-load-balancer
//
// * targets-per-availability-zone-per-network-load-balancer
//
// * targets-per-network-load-balancer
Name *string `type:"string"` Name *string `type:"string"`
} }
@ -5844,6 +5858,13 @@ type LoadBalancerAttribute struct {
// * idle_timeout.timeout_seconds - [Application Load Balancers] The idle // * idle_timeout.timeout_seconds - [Application Load Balancers] The idle
// timeout value, in seconds. The valid range is 1-4000. The default is 60 // timeout value, in seconds. The valid range is 1-4000. The default is 60
// seconds. // seconds.
//
// * load_balancing.cross_zone.enabled - [Network Load Balancers] Indicates
// whether cross-zone load balancing is enabled. The value is true or false.
// The default is false.
//
// * routing.http2.enabled - [Application Load Balancers] Indicates whether
// HTTP/2 is enabled. The value is true or false. The default is true.
Key *string `type:"string"` Key *string `type:"string"`
// The value of the attribute. // The value of the attribute.
@ -7085,17 +7106,16 @@ type SetSubnetsInput struct {
// LoadBalancerArn is a required field // LoadBalancerArn is a required field
LoadBalancerArn *string `type:"string" required:"true"` LoadBalancerArn *string `type:"string" required:"true"`
// The IDs of the subnets. You must specify subnets from at least two Availability // The IDs of the public subnets. You must specify subnets from at least two
// Zones. You can specify only one subnet per Availability Zone. You must specify // Availability Zones. You can specify only one subnet per Availability Zone.
// either subnets or subnet mappings. // You must specify either subnets or subnet mappings.
// //
// The load balancer is allocated one static IP address per subnet. You cannot // You cannot specify Elastic IP addresses for your subnets.
// specify your own Elastic IP addresses.
SubnetMappings []*SubnetMapping `type:"list"` SubnetMappings []*SubnetMapping `type:"list"`
// The IDs of the subnets. You must specify subnets from at least two Availability // The IDs of the public subnets. You must specify subnets from at least two
// Zones. You can specify only one subnet per Availability Zone. You must specify // Availability Zones. You can specify only one subnet per Availability Zone.
// either subnets or subnet mappings. // You must specify either subnets or subnet mappings.
// //
// Subnets is a required field // Subnets is a required field
Subnets []*string `type:"list" required:"true"` Subnets []*string `type:"list" required:"true"`
@ -7566,6 +7586,9 @@ type TargetGroupAttribute struct {
// from draining to unused. The range is 0-3600 seconds. The default value // from draining to unused. The range is 0-3600 seconds. The default value
// is 300 seconds. // is 300 seconds.
// //
// * proxy_protocol_v2.enabled - [Network Load Balancers] Indicates whether
// Proxy Protocol version 2 is enabled.
//
// * stickiness.enabled - [Application Load Balancers] Indicates whether // * stickiness.enabled - [Application Load Balancers] Indicates whether
// sticky sessions are enabled. The value is true or false. // sticky sessions are enabled. The value is true or false.
// //

View File

@ -86,8 +86,8 @@ const (
// ErrCodeInvalidTargetException for service response error code // ErrCodeInvalidTargetException for service response error code
// "InvalidTarget". // "InvalidTarget".
// //
// The specified target does not exist or is not in the same VPC as the target // The specified target does not exist, is not in the same VPC as the target
// group. // group, or has an unsupported instance type.
ErrCodeInvalidTargetException = "InvalidTarget" ErrCodeInvalidTargetException = "InvalidTarget"
// ErrCodeListenerNotFoundException for service response error code // ErrCodeListenerNotFoundException for service response error code

View File

@ -17,7 +17,7 @@ const opAddInstanceFleet = "AddInstanceFleet"
// AddInstanceFleetRequest generates a "aws/request.Request" representing the // AddInstanceFleetRequest generates a "aws/request.Request" representing the
// client's request for the AddInstanceFleet operation. The "output" return // client's request for the AddInstanceFleet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -102,7 +102,7 @@ const opAddInstanceGroups = "AddInstanceGroups"
// AddInstanceGroupsRequest generates a "aws/request.Request" representing the // AddInstanceGroupsRequest generates a "aws/request.Request" representing the
// client's request for the AddInstanceGroups operation. The "output" return // client's request for the AddInstanceGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -182,7 +182,7 @@ const opAddJobFlowSteps = "AddJobFlowSteps"
// AddJobFlowStepsRequest generates a "aws/request.Request" representing the // AddJobFlowStepsRequest generates a "aws/request.Request" representing the
// client's request for the AddJobFlowSteps operation. The "output" return // client's request for the AddJobFlowSteps operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -284,7 +284,7 @@ const opAddTags = "AddTags"
// AddTagsRequest generates a "aws/request.Request" representing the // AddTagsRequest generates a "aws/request.Request" representing the
// client's request for the AddTags operation. The "output" return // client's request for the AddTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -368,7 +368,7 @@ const opCancelSteps = "CancelSteps"
// CancelStepsRequest generates a "aws/request.Request" representing the // CancelStepsRequest generates a "aws/request.Request" representing the
// client's request for the CancelSteps operation. The "output" return // client's request for the CancelSteps operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -455,7 +455,7 @@ const opCreateSecurityConfiguration = "CreateSecurityConfiguration"
// CreateSecurityConfigurationRequest generates a "aws/request.Request" representing the // CreateSecurityConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the CreateSecurityConfiguration operation. The "output" return // client's request for the CreateSecurityConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -538,7 +538,7 @@ const opDeleteSecurityConfiguration = "DeleteSecurityConfiguration"
// DeleteSecurityConfigurationRequest generates a "aws/request.Request" representing the // DeleteSecurityConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteSecurityConfiguration operation. The "output" return // client's request for the DeleteSecurityConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -620,7 +620,7 @@ const opDescribeCluster = "DescribeCluster"
// DescribeClusterRequest generates a "aws/request.Request" representing the // DescribeClusterRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCluster operation. The "output" return // client's request for the DescribeCluster operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -703,7 +703,7 @@ const opDescribeJobFlows = "DescribeJobFlows"
// DescribeJobFlowsRequest generates a "aws/request.Request" representing the // DescribeJobFlowsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeJobFlows operation. The "output" return // client's request for the DescribeJobFlows operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -805,7 +805,7 @@ const opDescribeSecurityConfiguration = "DescribeSecurityConfiguration"
// DescribeSecurityConfigurationRequest generates a "aws/request.Request" representing the // DescribeSecurityConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DescribeSecurityConfiguration operation. The "output" return // client's request for the DescribeSecurityConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -888,7 +888,7 @@ const opDescribeStep = "DescribeStep"
// DescribeStepRequest generates a "aws/request.Request" representing the // DescribeStepRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStep operation. The "output" return // client's request for the DescribeStep operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -970,7 +970,7 @@ const opListBootstrapActions = "ListBootstrapActions"
// ListBootstrapActionsRequest generates a "aws/request.Request" representing the // ListBootstrapActionsRequest generates a "aws/request.Request" representing the
// client's request for the ListBootstrapActions operation. The "output" return // client's request for the ListBootstrapActions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1108,7 +1108,7 @@ const opListClusters = "ListClusters"
// ListClustersRequest generates a "aws/request.Request" representing the // ListClustersRequest generates a "aws/request.Request" representing the
// client's request for the ListClusters operation. The "output" return // client's request for the ListClusters operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1250,7 +1250,7 @@ const opListInstanceFleets = "ListInstanceFleets"
// ListInstanceFleetsRequest generates a "aws/request.Request" representing the // ListInstanceFleetsRequest generates a "aws/request.Request" representing the
// client's request for the ListInstanceFleets operation. The "output" return // client's request for the ListInstanceFleets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1391,7 +1391,7 @@ const opListInstanceGroups = "ListInstanceGroups"
// ListInstanceGroupsRequest generates a "aws/request.Request" representing the // ListInstanceGroupsRequest generates a "aws/request.Request" representing the
// client's request for the ListInstanceGroups operation. The "output" return // client's request for the ListInstanceGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1529,7 +1529,7 @@ const opListInstances = "ListInstances"
// ListInstancesRequest generates a "aws/request.Request" representing the // ListInstancesRequest generates a "aws/request.Request" representing the
// client's request for the ListInstances operation. The "output" return // client's request for the ListInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1670,7 +1670,7 @@ const opListSecurityConfigurations = "ListSecurityConfigurations"
// ListSecurityConfigurationsRequest generates a "aws/request.Request" representing the // ListSecurityConfigurationsRequest generates a "aws/request.Request" representing the
// client's request for the ListSecurityConfigurations operation. The "output" return // client's request for the ListSecurityConfigurations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1755,7 +1755,7 @@ const opListSteps = "ListSteps"
// ListStepsRequest generates a "aws/request.Request" representing the // ListStepsRequest generates a "aws/request.Request" representing the
// client's request for the ListSteps operation. The "output" return // client's request for the ListSteps operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1894,7 +1894,7 @@ const opModifyInstanceFleet = "ModifyInstanceFleet"
// ModifyInstanceFleetRequest generates a "aws/request.Request" representing the // ModifyInstanceFleetRequest generates a "aws/request.Request" representing the
// client's request for the ModifyInstanceFleet operation. The "output" return // client's request for the ModifyInstanceFleet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1983,7 +1983,7 @@ const opModifyInstanceGroups = "ModifyInstanceGroups"
// ModifyInstanceGroupsRequest generates a "aws/request.Request" representing the // ModifyInstanceGroupsRequest generates a "aws/request.Request" representing the
// client's request for the ModifyInstanceGroups operation. The "output" return // client's request for the ModifyInstanceGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2068,7 +2068,7 @@ const opPutAutoScalingPolicy = "PutAutoScalingPolicy"
// PutAutoScalingPolicyRequest generates a "aws/request.Request" representing the // PutAutoScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutAutoScalingPolicy operation. The "output" return // client's request for the PutAutoScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2145,7 +2145,7 @@ const opRemoveAutoScalingPolicy = "RemoveAutoScalingPolicy"
// RemoveAutoScalingPolicyRequest generates a "aws/request.Request" representing the // RemoveAutoScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the RemoveAutoScalingPolicy operation. The "output" return // client's request for the RemoveAutoScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2220,7 +2220,7 @@ const opRemoveTags = "RemoveTags"
// RemoveTagsRequest generates a "aws/request.Request" representing the // RemoveTagsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTags operation. The "output" return // client's request for the RemoveTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2306,7 +2306,7 @@ const opRunJobFlow = "RunJobFlow"
// RunJobFlowRequest generates a "aws/request.Request" representing the // RunJobFlowRequest generates a "aws/request.Request" representing the
// client's request for the RunJobFlow operation. The "output" return // client's request for the RunJobFlow operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2412,7 +2412,7 @@ const opSetTerminationProtection = "SetTerminationProtection"
// SetTerminationProtectionRequest generates a "aws/request.Request" representing the // SetTerminationProtectionRequest generates a "aws/request.Request" representing the
// client's request for the SetTerminationProtection operation. The "output" return // client's request for the SetTerminationProtection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2510,7 +2510,7 @@ const opSetVisibleToAllUsers = "SetVisibleToAllUsers"
// SetVisibleToAllUsersRequest generates a "aws/request.Request" representing the // SetVisibleToAllUsersRequest generates a "aws/request.Request" representing the
// client's request for the SetVisibleToAllUsers operation. The "output" return // client's request for the SetVisibleToAllUsers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2597,7 +2597,7 @@ const opTerminateJobFlows = "TerminateJobFlows"
// TerminateJobFlowsRequest generates a "aws/request.Request" representing the // TerminateJobFlowsRequest generates a "aws/request.Request" representing the
// client's request for the TerminateJobFlows operation. The "output" return // client's request for the TerminateJobFlows operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -15,7 +15,7 @@ const opCreateDeliveryStream = "CreateDeliveryStream"
// CreateDeliveryStreamRequest generates a "aws/request.Request" representing the // CreateDeliveryStreamRequest generates a "aws/request.Request" representing the
// client's request for the CreateDeliveryStream operation. The "output" return // client's request for the CreateDeliveryStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -151,7 +151,7 @@ const opDeleteDeliveryStream = "DeleteDeliveryStream"
// DeleteDeliveryStreamRequest generates a "aws/request.Request" representing the // DeleteDeliveryStreamRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDeliveryStream operation. The "output" return // client's request for the DeleteDeliveryStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -244,7 +244,7 @@ const opDescribeDeliveryStream = "DescribeDeliveryStream"
// DescribeDeliveryStreamRequest generates a "aws/request.Request" representing the // DescribeDeliveryStreamRequest generates a "aws/request.Request" representing the
// client's request for the DescribeDeliveryStream operation. The "output" return // client's request for the DescribeDeliveryStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -326,7 +326,7 @@ const opListDeliveryStreams = "ListDeliveryStreams"
// ListDeliveryStreamsRequest generates a "aws/request.Request" representing the // ListDeliveryStreamsRequest generates a "aws/request.Request" representing the
// client's request for the ListDeliveryStreams operation. The "output" return // client's request for the ListDeliveryStreams operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -408,7 +408,7 @@ const opPutRecord = "PutRecord"
// PutRecordRequest generates a "aws/request.Request" representing the // PutRecordRequest generates a "aws/request.Request" representing the
// client's request for the PutRecord operation. The "output" return // client's request for the PutRecord operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -528,7 +528,7 @@ const opPutRecordBatch = "PutRecordBatch"
// PutRecordBatchRequest generates a "aws/request.Request" representing the // PutRecordBatchRequest generates a "aws/request.Request" representing the
// client's request for the PutRecordBatch operation. The "output" return // client's request for the PutRecordBatch operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -673,7 +673,7 @@ const opUpdateDestination = "UpdateDestination"
// UpdateDestinationRequest generates a "aws/request.Request" representing the // UpdateDestinationRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDestination operation. The "output" return // client's request for the UpdateDestination operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opAcceptMatch = "AcceptMatch"
// AcceptMatchRequest generates a "aws/request.Request" representing the // AcceptMatchRequest generates a "aws/request.Request" representing the
// client's request for the AcceptMatch operation. The "output" return // client's request for the AcceptMatch operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -90,6 +90,8 @@ func (c *GameLift) AcceptMatchRequest(input *AcceptMatchInput) (req *request.Req
// //
// * AcceptMatch // * AcceptMatch
// //
// * StartMatchBackfill
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
// the error. // the error.
@ -140,7 +142,7 @@ const opCreateAlias = "CreateAlias"
// CreateAliasRequest generates a "aws/request.Request" representing the // CreateAliasRequest generates a "aws/request.Request" representing the
// client's request for the CreateAlias operation. The "output" return // client's request for the CreateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -269,7 +271,7 @@ const opCreateBuild = "CreateBuild"
// CreateBuildRequest generates a "aws/request.Request" representing the // CreateBuildRequest generates a "aws/request.Request" representing the
// client's request for the CreateBuild operation. The "output" return // client's request for the CreateBuild operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -410,7 +412,7 @@ const opCreateFleet = "CreateFleet"
// CreateFleetRequest generates a "aws/request.Request" representing the // CreateFleetRequest generates a "aws/request.Request" representing the
// client's request for the CreateFleet operation. The "output" return // client's request for the CreateFleet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -452,17 +454,15 @@ func (c *GameLift) CreateFleetRequest(input *CreateFleetInput) (req *request.Req
// //
// Creates a new fleet to run your game servers. A fleet is a set of Amazon // Creates a new fleet to run your game servers. A fleet is a set of Amazon
// Elastic Compute Cloud (Amazon EC2) instances, each of which can run multiple // Elastic Compute Cloud (Amazon EC2) instances, each of which can run multiple
// server processes to host game sessions. You configure a fleet to create instances // server processes to host game sessions. You set up a fleet to use instances
// with certain hardware specifications (see Amazon EC2 Instance Types (http://aws.amazon.com/ec2/instance-types/) // with certain hardware specifications (see Amazon EC2 Instance Types (http://aws.amazon.com/ec2/instance-types/)
// for more information), and deploy a specified game build to each instance. // for more information), and deploy your game build to run on each instance.
// A newly created fleet passes through several statuses; once it reaches the
// ACTIVE status, it can begin hosting game sessions.
// //
// To create a new fleet, you must specify the following: (1) fleet name, (2) // To create a new fleet, you must specify the following: (1) a fleet name,
// build ID of an uploaded game build, (3) an EC2 instance type, and (4) a run-time // (2) the build ID of a successfully uploaded game build, (3) an EC2 instance
// configuration that describes which server processes to run on each instance // type, and (4) a run-time configuration, which describes the server processes
// in the fleet. (Although the run-time configuration is not a required parameter, // to run on each instance in the fleet. If you don't specify a fleet type (on-demand
// the fleet cannot be successfully activated without it.) // or spot), the new fleet uses on-demand instances by default.
// //
// You can also configure the new fleet with the following settings: // You can also configure the new fleet with the following settings:
// //
@ -472,34 +472,36 @@ func (c *GameLift) CreateFleetRequest(input *CreateFleetInput) (req *request.Req
// //
// * Fleet-wide game session protection // * Fleet-wide game session protection
// //
// * Resource creation limit // * Resource usage limits
//
// * VPC peering connection (see VPC Peering with Amazon GameLift Fleets
// (http://docs.aws.amazon.com/gamelift/latest/developerguide/vpc-peering.html))
// //
// If you use Amazon CloudWatch for metrics, you can add the new fleet to a // If you use Amazon CloudWatch for metrics, you can add the new fleet to a
// metric group. This allows you to view aggregated metrics for a set of fleets. // metric group. By adding multiple fleets to a metric group, you can view aggregated
// Once you specify a metric group, the new fleet's metrics are included in // metrics for all the fleets in the group.
// the metric group's data.
//
// You have the option of creating a VPC peering connection with the new fleet.
// For more information, see VPC Peering with Amazon GameLift Fleets (http://docs.aws.amazon.com/gamelift/latest/developerguide/vpc-peering.html).
// //
// If the CreateFleet call is successful, Amazon GameLift performs the following // If the CreateFleet call is successful, Amazon GameLift performs the following
// tasks: // tasks. You can track the process of a fleet by checking the fleet status
// or by monitoring fleet creation events:
// //
// * Creates a fleet record and sets the status to NEW (followed by other // * Creates a fleet record. Status: NEW.
// statuses as the fleet is activated).
//
// * Sets the fleet's target capacity to 1 (desired instances), which causes
// Amazon GameLift to start one new EC2 instance.
//
// * Starts launching server processes on the instance. If the fleet is configured
// to run multiple server processes per instance, Amazon GameLift staggers
// each launch by a few seconds.
// //
// * Begins writing events to the fleet event log, which can be accessed // * Begins writing events to the fleet event log, which can be accessed
// in the Amazon GameLift console. // in the Amazon GameLift console.
// //
// * Sets the fleet's status to ACTIVE as soon as one server process in the // Sets the fleet's target capacity to 1 (desired instances), which triggers
// fleet is ready to host a game session. // Amazon GameLift to start one new EC2 instance.
//
// * Downloads the game build to the new instance and installs it. Statuses:
// DOWNLOADING, VALIDATING, BUILDING.
//
// * Starts launching server processes on the instance. If the fleet is configured
// to run multiple server processes per instance, Amazon GameLift staggers
// each launch by a few seconds. Status: ACTIVATING.
//
// * Sets the fleet's status to ACTIVE as soon as one server process is ready
// to host a game session.
// //
// Fleet-related operations include: // Fleet-related operations include:
// //
@ -604,7 +606,7 @@ const opCreateGameSession = "CreateGameSession"
// CreateGameSessionRequest generates a "aws/request.Request" representing the // CreateGameSessionRequest generates a "aws/request.Request" representing the
// client's request for the CreateGameSession operation. The "output" return // client's request for the CreateGameSession operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -776,7 +778,7 @@ const opCreateGameSessionQueue = "CreateGameSessionQueue"
// CreateGameSessionQueueRequest generates a "aws/request.Request" representing the // CreateGameSessionQueueRequest generates a "aws/request.Request" representing the
// client's request for the CreateGameSessionQueue operation. The "output" return // client's request for the CreateGameSessionQueue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -907,7 +909,7 @@ const opCreateMatchmakingConfiguration = "CreateMatchmakingConfiguration"
// CreateMatchmakingConfigurationRequest generates a "aws/request.Request" representing the // CreateMatchmakingConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the CreateMatchmakingConfiguration operation. The "output" return // client's request for the CreateMatchmakingConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -950,9 +952,9 @@ func (c *GameLift) CreateMatchmakingConfigurationRequest(input *CreateMatchmakin
// Defines a new matchmaking configuration for use with FlexMatch. A matchmaking // Defines a new matchmaking configuration for use with FlexMatch. A matchmaking
// configuration sets out guidelines for matching players and getting the matches // configuration sets out guidelines for matching players and getting the matches
// into games. You can set up multiple matchmaking configurations to handle // into games. You can set up multiple matchmaking configurations to handle
// the scenarios needed for your game. Each matchmaking request (StartMatchmaking) // the scenarios needed for your game. Each matchmaking ticket (StartMatchmaking
// specifies a configuration for the match and provides player attributes to // or StartMatchBackfill) specifies a configuration for the match and provides
// support the configuration being used. // player attributes to support the configuration being used.
// //
// To create a matchmaking configuration, at a minimum you must specify the // To create a matchmaking configuration, at a minimum you must specify the
// following: configuration name; a rule set that governs how to evaluate players // following: configuration name; a rule set that governs how to evaluate players
@ -1046,7 +1048,7 @@ const opCreateMatchmakingRuleSet = "CreateMatchmakingRuleSet"
// CreateMatchmakingRuleSetRequest generates a "aws/request.Request" representing the // CreateMatchmakingRuleSetRequest generates a "aws/request.Request" representing the
// client's request for the CreateMatchmakingRuleSet operation. The "output" return // client's request for the CreateMatchmakingRuleSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1099,7 +1101,7 @@ func (c *GameLift) CreateMatchmakingRuleSetRequest(input *CreateMatchmakingRuleS
// Game (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-intro.html). // Game (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-intro.html).
// //
// Once created, matchmaking rule sets cannot be changed or deleted, so we recommend // Once created, matchmaking rule sets cannot be changed or deleted, so we recommend
// checking the rule set syntax using ValidateMatchmakingRuleSetbefore creating // checking the rule set syntax using ValidateMatchmakingRuleSet before creating
// the rule set. // the rule set.
// //
// To create a matchmaking rule set, provide the set of rules and a unique name. // To create a matchmaking rule set, provide the set of rules and a unique name.
@ -1170,7 +1172,7 @@ const opCreatePlayerSession = "CreatePlayerSession"
// CreatePlayerSessionRequest generates a "aws/request.Request" representing the // CreatePlayerSessionRequest generates a "aws/request.Request" representing the
// client's request for the CreatePlayerSession operation. The "output" return // client's request for the CreatePlayerSession operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1303,7 +1305,7 @@ const opCreatePlayerSessions = "CreatePlayerSessions"
// CreatePlayerSessionsRequest generates a "aws/request.Request" representing the // CreatePlayerSessionsRequest generates a "aws/request.Request" representing the
// client's request for the CreatePlayerSessions operation. The "output" return // client's request for the CreatePlayerSessions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1437,7 +1439,7 @@ const opCreateVpcPeeringAuthorization = "CreateVpcPeeringAuthorization"
// CreateVpcPeeringAuthorizationRequest generates a "aws/request.Request" representing the // CreateVpcPeeringAuthorizationRequest generates a "aws/request.Request" representing the
// client's request for the CreateVpcPeeringAuthorization operation. The "output" return // client's request for the CreateVpcPeeringAuthorization operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1570,7 +1572,7 @@ const opCreateVpcPeeringConnection = "CreateVpcPeeringConnection"
// CreateVpcPeeringConnectionRequest generates a "aws/request.Request" representing the // CreateVpcPeeringConnectionRequest generates a "aws/request.Request" representing the
// client's request for the CreateVpcPeeringConnection operation. The "output" return // client's request for the CreateVpcPeeringConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1698,7 +1700,7 @@ const opDeleteAlias = "DeleteAlias"
// DeleteAliasRequest generates a "aws/request.Request" representing the // DeleteAliasRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAlias operation. The "output" return // client's request for the DeleteAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1808,7 +1810,7 @@ const opDeleteBuild = "DeleteBuild"
// DeleteBuildRequest generates a "aws/request.Request" representing the // DeleteBuildRequest generates a "aws/request.Request" representing the
// client's request for the DeleteBuild operation. The "output" return // client's request for the DeleteBuild operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1919,7 +1921,7 @@ const opDeleteFleet = "DeleteFleet"
// DeleteFleetRequest generates a "aws/request.Request" representing the // DeleteFleetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteFleet operation. The "output" return // client's request for the DeleteFleet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2066,7 +2068,7 @@ const opDeleteGameSessionQueue = "DeleteGameSessionQueue"
// DeleteGameSessionQueueRequest generates a "aws/request.Request" representing the // DeleteGameSessionQueueRequest generates a "aws/request.Request" representing the
// client's request for the DeleteGameSessionQueue operation. The "output" return // client's request for the DeleteGameSessionQueue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2170,7 +2172,7 @@ const opDeleteMatchmakingConfiguration = "DeleteMatchmakingConfiguration"
// DeleteMatchmakingConfigurationRequest generates a "aws/request.Request" representing the // DeleteMatchmakingConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteMatchmakingConfiguration operation. The "output" return // client's request for the DeleteMatchmakingConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2280,7 +2282,7 @@ const opDeleteScalingPolicy = "DeleteScalingPolicy"
// DeleteScalingPolicyRequest generates a "aws/request.Request" representing the // DeleteScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteScalingPolicy operation. The "output" return // client's request for the DeleteScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2420,7 +2422,7 @@ const opDeleteVpcPeeringAuthorization = "DeleteVpcPeeringAuthorization"
// DeleteVpcPeeringAuthorizationRequest generates a "aws/request.Request" representing the // DeleteVpcPeeringAuthorizationRequest generates a "aws/request.Request" representing the
// client's request for the DeleteVpcPeeringAuthorization operation. The "output" return // client's request for the DeleteVpcPeeringAuthorization operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2528,7 +2530,7 @@ const opDeleteVpcPeeringConnection = "DeleteVpcPeeringConnection"
// DeleteVpcPeeringConnectionRequest generates a "aws/request.Request" representing the // DeleteVpcPeeringConnectionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteVpcPeeringConnection operation. The "output" return // client's request for the DeleteVpcPeeringConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2642,7 +2644,7 @@ const opDescribeAlias = "DescribeAlias"
// DescribeAliasRequest generates a "aws/request.Request" representing the // DescribeAliasRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAlias operation. The "output" return // client's request for the DescribeAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2752,7 +2754,7 @@ const opDescribeBuild = "DescribeBuild"
// DescribeBuildRequest generates a "aws/request.Request" representing the // DescribeBuildRequest generates a "aws/request.Request" representing the
// client's request for the DescribeBuild operation. The "output" return // client's request for the DescribeBuild operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2857,7 +2859,7 @@ const opDescribeEC2InstanceLimits = "DescribeEC2InstanceLimits"
// DescribeEC2InstanceLimitsRequest generates a "aws/request.Request" representing the // DescribeEC2InstanceLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeEC2InstanceLimits operation. The "output" return // client's request for the DescribeEC2InstanceLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2997,7 +2999,7 @@ const opDescribeFleetAttributes = "DescribeFleetAttributes"
// DescribeFleetAttributesRequest generates a "aws/request.Request" representing the // DescribeFleetAttributesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFleetAttributes operation. The "output" return // client's request for the DescribeFleetAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3143,7 +3145,7 @@ const opDescribeFleetCapacity = "DescribeFleetCapacity"
// DescribeFleetCapacityRequest generates a "aws/request.Request" representing the // DescribeFleetCapacityRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFleetCapacity operation. The "output" return // client's request for the DescribeFleetCapacity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3290,7 +3292,7 @@ const opDescribeFleetEvents = "DescribeFleetEvents"
// DescribeFleetEventsRequest generates a "aws/request.Request" representing the // DescribeFleetEventsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFleetEvents operation. The "output" return // client's request for the DescribeFleetEvents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3429,7 +3431,7 @@ const opDescribeFleetPortSettings = "DescribeFleetPortSettings"
// DescribeFleetPortSettingsRequest generates a "aws/request.Request" representing the // DescribeFleetPortSettingsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFleetPortSettings operation. The "output" return // client's request for the DescribeFleetPortSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3570,7 +3572,7 @@ const opDescribeFleetUtilization = "DescribeFleetUtilization"
// DescribeFleetUtilizationRequest generates a "aws/request.Request" representing the // DescribeFleetUtilizationRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFleetUtilization operation. The "output" return // client's request for the DescribeFleetUtilization operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3715,7 +3717,7 @@ const opDescribeGameSessionDetails = "DescribeGameSessionDetails"
// DescribeGameSessionDetailsRequest generates a "aws/request.Request" representing the // DescribeGameSessionDetailsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeGameSessionDetails operation. The "output" return // client's request for the DescribeGameSessionDetails operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3846,7 +3848,7 @@ const opDescribeGameSessionPlacement = "DescribeGameSessionPlacement"
// DescribeGameSessionPlacementRequest generates a "aws/request.Request" representing the // DescribeGameSessionPlacementRequest generates a "aws/request.Request" representing the
// client's request for the DescribeGameSessionPlacement operation. The "output" return // client's request for the DescribeGameSessionPlacement operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3962,7 +3964,7 @@ const opDescribeGameSessionQueues = "DescribeGameSessionQueues"
// DescribeGameSessionQueuesRequest generates a "aws/request.Request" representing the // DescribeGameSessionQueuesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeGameSessionQueues operation. The "output" return // client's request for the DescribeGameSessionQueues operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4068,7 +4070,7 @@ const opDescribeGameSessions = "DescribeGameSessions"
// DescribeGameSessionsRequest generates a "aws/request.Request" representing the // DescribeGameSessionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeGameSessions operation. The "output" return // client's request for the DescribeGameSessions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4200,7 +4202,7 @@ const opDescribeInstances = "DescribeInstances"
// DescribeInstancesRequest generates a "aws/request.Request" representing the // DescribeInstancesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeInstances operation. The "output" return // client's request for the DescribeInstances operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4299,7 +4301,7 @@ const opDescribeMatchmaking = "DescribeMatchmaking"
// DescribeMatchmakingRequest generates a "aws/request.Request" representing the // DescribeMatchmakingRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMatchmaking operation. The "output" return // client's request for the DescribeMatchmaking operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4362,6 +4364,8 @@ func (c *GameLift) DescribeMatchmakingRequest(input *DescribeMatchmakingInput) (
// //
// * AcceptMatch // * AcceptMatch
// //
// * StartMatchBackfill
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
// the error. // the error.
@ -4408,7 +4412,7 @@ const opDescribeMatchmakingConfigurations = "DescribeMatchmakingConfigurations"
// DescribeMatchmakingConfigurationsRequest generates a "aws/request.Request" representing the // DescribeMatchmakingConfigurationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMatchmakingConfigurations operation. The "output" return // client's request for the DescribeMatchmakingConfigurations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4519,7 +4523,7 @@ const opDescribeMatchmakingRuleSets = "DescribeMatchmakingRuleSets"
// DescribeMatchmakingRuleSetsRequest generates a "aws/request.Request" representing the // DescribeMatchmakingRuleSetsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeMatchmakingRuleSets operation. The "output" return // client's request for the DescribeMatchmakingRuleSets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4631,7 +4635,7 @@ const opDescribePlayerSessions = "DescribePlayerSessions"
// DescribePlayerSessionsRequest generates a "aws/request.Request" representing the // DescribePlayerSessionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribePlayerSessions operation. The "output" return // client's request for the DescribePlayerSessions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4751,7 +4755,7 @@ const opDescribeRuntimeConfiguration = "DescribeRuntimeConfiguration"
// DescribeRuntimeConfigurationRequest generates a "aws/request.Request" representing the // DescribeRuntimeConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRuntimeConfiguration operation. The "output" return // client's request for the DescribeRuntimeConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4889,7 +4893,7 @@ const opDescribeScalingPolicies = "DescribeScalingPolicies"
// DescribeScalingPoliciesRequest generates a "aws/request.Request" representing the // DescribeScalingPoliciesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeScalingPolicies operation. The "output" return // client's request for the DescribeScalingPolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5030,7 +5034,7 @@ const opDescribeVpcPeeringAuthorizations = "DescribeVpcPeeringAuthorizations"
// DescribeVpcPeeringAuthorizationsRequest generates a "aws/request.Request" representing the // DescribeVpcPeeringAuthorizationsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeVpcPeeringAuthorizations operation. The "output" return // client's request for the DescribeVpcPeeringAuthorizations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5134,7 +5138,7 @@ const opDescribeVpcPeeringConnections = "DescribeVpcPeeringConnections"
// DescribeVpcPeeringConnectionsRequest generates a "aws/request.Request" representing the // DescribeVpcPeeringConnectionsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeVpcPeeringConnections operation. The "output" return // client's request for the DescribeVpcPeeringConnections operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5247,7 +5251,7 @@ const opGetGameSessionLogUrl = "GetGameSessionLogUrl"
// GetGameSessionLogUrlRequest generates a "aws/request.Request" representing the // GetGameSessionLogUrlRequest generates a "aws/request.Request" representing the
// client's request for the GetGameSessionLogUrl operation. The "output" return // client's request for the GetGameSessionLogUrl operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5368,7 +5372,7 @@ const opGetInstanceAccess = "GetInstanceAccess"
// GetInstanceAccessRequest generates a "aws/request.Request" representing the // GetInstanceAccessRequest generates a "aws/request.Request" representing the
// client's request for the GetInstanceAccess operation. The "output" return // client's request for the GetInstanceAccess operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5475,7 +5479,7 @@ const opListAliases = "ListAliases"
// ListAliasesRequest generates a "aws/request.Request" representing the // ListAliasesRequest generates a "aws/request.Request" representing the
// client's request for the ListAliases operation. The "output" return // client's request for the ListAliases operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5581,7 +5585,7 @@ const opListBuilds = "ListBuilds"
// ListBuildsRequest generates a "aws/request.Request" representing the // ListBuildsRequest generates a "aws/request.Request" representing the
// client's request for the ListBuilds operation. The "output" return // client's request for the ListBuilds operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5686,7 +5690,7 @@ const opListFleets = "ListFleets"
// ListFleetsRequest generates a "aws/request.Request" representing the // ListFleetsRequest generates a "aws/request.Request" representing the
// client's request for the ListFleets operation. The "output" return // client's request for the ListFleets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5826,7 +5830,7 @@ const opPutScalingPolicy = "PutScalingPolicy"
// PutScalingPolicyRequest generates a "aws/request.Request" representing the // PutScalingPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutScalingPolicy operation. The "output" return // client's request for the PutScalingPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5983,7 +5987,7 @@ const opRequestUploadCredentials = "RequestUploadCredentials"
// RequestUploadCredentialsRequest generates a "aws/request.Request" representing the // RequestUploadCredentialsRequest generates a "aws/request.Request" representing the
// client's request for the RequestUploadCredentials operation. The "output" return // client's request for the RequestUploadCredentials operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6081,7 +6085,7 @@ const opResolveAlias = "ResolveAlias"
// ResolveAliasRequest generates a "aws/request.Request" representing the // ResolveAliasRequest generates a "aws/request.Request" representing the
// client's request for the ResolveAlias operation. The "output" return // client's request for the ResolveAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6194,7 +6198,7 @@ const opSearchGameSessions = "SearchGameSessions"
// SearchGameSessionsRequest generates a "aws/request.Request" representing the // SearchGameSessionsRequest generates a "aws/request.Request" representing the
// client's request for the SearchGameSessions operation. The "output" return // client's request for the SearchGameSessions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6363,7 +6367,7 @@ const opStartGameSessionPlacement = "StartGameSessionPlacement"
// StartGameSessionPlacementRequest generates a "aws/request.Request" representing the // StartGameSessionPlacementRequest generates a "aws/request.Request" representing the
// client's request for the StartGameSessionPlacement operation. The "output" return // client's request for the StartGameSessionPlacement operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6517,7 +6521,7 @@ const opStartMatchBackfill = "StartMatchBackfill"
// StartMatchBackfillRequest generates a "aws/request.Request" representing the // StartMatchBackfillRequest generates a "aws/request.Request" representing the
// client's request for the StartMatchBackfill operation. The "output" return // client's request for the StartMatchBackfill operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6570,8 +6574,8 @@ func (c *GameLift) StartMatchBackfillRequest(input *StartMatchBackfillInput) (re
// all current players in the game session. If successful, a match backfill // all current players in the game session. If successful, a match backfill
// ticket is created and returned with status set to QUEUED. The ticket is placed // ticket is created and returned with status set to QUEUED. The ticket is placed
// in the matchmaker's ticket pool and processed. Track the status of the ticket // in the matchmaker's ticket pool and processed. Track the status of the ticket
// to respond as needed. For more detail how to set up backfilling, see Set // to respond as needed. For more detail how to set up backfilling, see Backfill
// up Match Backfilling (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-backfill.html). // Existing Games with FlexMatch (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-backfill.html).
// //
// The process of finding backfill matches is essentially identical to the initial // The process of finding backfill matches is essentially identical to the initial
// matchmaking process. The matchmaker searches the pool and groups tickets // matchmaking process. The matchmaker searches the pool and groups tickets
@ -6593,6 +6597,8 @@ func (c *GameLift) StartMatchBackfillRequest(input *StartMatchBackfillInput) (re
// //
// * AcceptMatch // * AcceptMatch
// //
// * StartMatchBackfill
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
// the error. // the error.
@ -6643,7 +6649,7 @@ const opStartMatchmaking = "StartMatchmaking"
// StartMatchmakingRequest generates a "aws/request.Request" representing the // StartMatchmakingRequest generates a "aws/request.Request" representing the
// client's request for the StartMatchmaking operation. The "output" return // client's request for the StartMatchmaking operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6755,6 +6761,8 @@ func (c *GameLift) StartMatchmakingRequest(input *StartMatchmakingInput) (req *r
// //
// * AcceptMatch // * AcceptMatch
// //
// * StartMatchBackfill
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
// the error. // the error.
@ -6805,7 +6813,7 @@ const opStopGameSessionPlacement = "StopGameSessionPlacement"
// StopGameSessionPlacementRequest generates a "aws/request.Request" representing the // StopGameSessionPlacementRequest generates a "aws/request.Request" representing the
// client's request for the StopGameSessionPlacement operation. The "output" return // client's request for the StopGameSessionPlacement operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6921,7 +6929,7 @@ const opStopMatchmaking = "StopMatchmaking"
// StopMatchmakingRequest generates a "aws/request.Request" representing the // StopMatchmakingRequest generates a "aws/request.Request" representing the
// client's request for the StopMatchmaking operation. The "output" return // client's request for the StopMatchmaking operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6975,6 +6983,8 @@ func (c *GameLift) StopMatchmakingRequest(input *StopMatchmakingInput) (req *req
// //
// * AcceptMatch // * AcceptMatch
// //
// * StartMatchBackfill
//
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
// the error. // the error.
@ -7025,7 +7035,7 @@ const opUpdateAlias = "UpdateAlias"
// UpdateAliasRequest generates a "aws/request.Request" representing the // UpdateAliasRequest generates a "aws/request.Request" representing the
// client's request for the UpdateAlias operation. The "output" return // client's request for the UpdateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7134,7 +7144,7 @@ const opUpdateBuild = "UpdateBuild"
// UpdateBuildRequest generates a "aws/request.Request" representing the // UpdateBuildRequest generates a "aws/request.Request" representing the
// client's request for the UpdateBuild operation. The "output" return // client's request for the UpdateBuild operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7241,7 +7251,7 @@ const opUpdateFleetAttributes = "UpdateFleetAttributes"
// UpdateFleetAttributesRequest generates a "aws/request.Request" representing the // UpdateFleetAttributesRequest generates a "aws/request.Request" representing the
// client's request for the UpdateFleetAttributes operation. The "output" return // client's request for the UpdateFleetAttributes operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7393,7 +7403,7 @@ const opUpdateFleetCapacity = "UpdateFleetCapacity"
// UpdateFleetCapacityRequest generates a "aws/request.Request" representing the // UpdateFleetCapacityRequest generates a "aws/request.Request" representing the
// client's request for the UpdateFleetCapacity operation. The "output" return // client's request for the UpdateFleetCapacity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7557,7 +7567,7 @@ const opUpdateFleetPortSettings = "UpdateFleetPortSettings"
// UpdateFleetPortSettingsRequest generates a "aws/request.Request" representing the // UpdateFleetPortSettingsRequest generates a "aws/request.Request" representing the
// client's request for the UpdateFleetPortSettings operation. The "output" return // client's request for the UpdateFleetPortSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7712,7 +7722,7 @@ const opUpdateGameSession = "UpdateGameSession"
// UpdateGameSessionRequest generates a "aws/request.Request" representing the // UpdateGameSessionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateGameSession operation. The "output" return // client's request for the UpdateGameSession operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7842,7 +7852,7 @@ const opUpdateGameSessionQueue = "UpdateGameSessionQueue"
// UpdateGameSessionQueueRequest generates a "aws/request.Request" representing the // UpdateGameSessionQueueRequest generates a "aws/request.Request" representing the
// client's request for the UpdateGameSessionQueue operation. The "output" return // client's request for the UpdateGameSessionQueue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7947,7 +7957,7 @@ const opUpdateMatchmakingConfiguration = "UpdateMatchmakingConfiguration"
// UpdateMatchmakingConfigurationRequest generates a "aws/request.Request" representing the // UpdateMatchmakingConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the UpdateMatchmakingConfiguration operation. The "output" return // client's request for the UpdateMatchmakingConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8056,7 +8066,7 @@ const opUpdateRuntimeConfiguration = "UpdateRuntimeConfiguration"
// UpdateRuntimeConfigurationRequest generates a "aws/request.Request" representing the // UpdateRuntimeConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the UpdateRuntimeConfiguration operation. The "output" return // client's request for the UpdateRuntimeConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8212,7 +8222,7 @@ const opValidateMatchmakingRuleSet = "ValidateMatchmakingRuleSet"
// ValidateMatchmakingRuleSetRequest generates a "aws/request.Request" representing the // ValidateMatchmakingRuleSetRequest generates a "aws/request.Request" representing the
// client's request for the ValidateMatchmakingRuleSet operation. The "output" return // client's request for the ValidateMatchmakingRuleSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -8970,6 +8980,16 @@ type CreateFleetInput struct {
// EC2InstanceType is a required field // EC2InstanceType is a required field
EC2InstanceType *string `type:"string" required:"true" enum:"EC2InstanceType"` EC2InstanceType *string `type:"string" required:"true" enum:"EC2InstanceType"`
// Indicates whether to use on-demand instances or spot instances for this fleet.
// If empty, the default is ON_DEMAND. Both categories of instances use identical
// hardware and configurations, based on the instance type selected for this
// fleet. You can acquire on-demand instances at any time for a fixed price
// and keep them as long as you need them. Spot instances have lower prices,
// but spot pricing is variable, and while in use they can be interrupted (with
// a two-minute notification). Learn more about Amazon GameLift spot instances
// with at Choose Computing Resources (http://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-ec2-instances.html).
FleetType *string `type:"string" enum:"FleetType"`
// This parameter is no longer used. Instead, to specify where Amazon GameLift // This parameter is no longer used. Instead, to specify where Amazon GameLift
// should store log files once a server process shuts down, use the Amazon GameLift // should store log files once a server process shuts down, use the Amazon GameLift
// server API ProcessReady() and specify one or more directory paths in logParameters. // server API ProcessReady() and specify one or more directory paths in logParameters.
@ -9128,6 +9148,12 @@ func (s *CreateFleetInput) SetEC2InstanceType(v string) *CreateFleetInput {
return s return s
} }
// SetFleetType sets the FleetType field's value.
func (s *CreateFleetInput) SetFleetType(v string) *CreateFleetInput {
s.FleetType = &v
return s
}
// SetLogPaths sets the LogPaths field's value. // SetLogPaths sets the LogPaths field's value.
func (s *CreateFleetInput) SetLogPaths(v []*string) *CreateFleetInput { func (s *CreateFleetInput) SetLogPaths(v []*string) *CreateFleetInput {
s.LogPaths = v s.LogPaths = v
@ -12848,10 +12874,6 @@ type Event struct {
// Type of event being logged. The following events are currently in use: // Type of event being logged. The following events are currently in use:
// //
// General events:
//
// * GENERIC_EVENT -- An unspecified event has occurred.
//
// Fleet creation events: // Fleet creation events:
// //
// * FLEET_CREATED -- A fleet record was successfully created with a status // * FLEET_CREATED -- A fleet record was successfully created with a status
@ -12927,6 +12949,11 @@ type Event struct {
// * FLEET_VPC_PEERING_DELETED -- A VPC peering connection has been successfully // * FLEET_VPC_PEERING_DELETED -- A VPC peering connection has been successfully
// deleted. // deleted.
// //
// Spot instance events:
//
// * INSTANCE_INTERRUPTED -- A spot instance was interrupted by EC2 with
// a two-minute notification.
//
// Other fleet events: // Other fleet events:
// //
// * FLEET_SCALING_EVENT -- A change was made to the fleet's capacity settings // * FLEET_SCALING_EVENT -- A change was made to the fleet's capacity settings
@ -12938,6 +12965,8 @@ type Event struct {
// includes both the old and new policy setting. // includes both the old and new policy setting.
// //
// * FLEET_DELETED -- A request to delete a fleet was initiated. // * FLEET_DELETED -- A request to delete a fleet was initiated.
//
// * GENERIC_EVENT -- An unspecified event has occurred.
EventCode *string `type:"string" enum:"EventCode"` EventCode *string `type:"string" enum:"EventCode"`
// Unique identifier for a fleet event. // Unique identifier for a fleet event.
@ -13069,6 +13098,16 @@ type FleetAttributes struct {
// Unique identifier for a fleet. // Unique identifier for a fleet.
FleetId *string `type:"string"` FleetId *string `type:"string"`
// Indicates whether the fleet uses on-demand or spot instances. A spot instance
// in use may be interrupted with a two-minute notification.
FleetType *string `type:"string" enum:"FleetType"`
// EC2 instance type indicating the computing resources of each instance in
// the fleet, including CPU, memory, storage, and networking capacity. See Amazon
// EC2 Instance Types (http://aws.amazon.com/ec2/instance-types/) for detailed
// descriptions.
InstanceType *string `type:"string" enum:"EC2InstanceType"`
// Location of default log files. When a server process is shut down, Amazon // Location of default log files. When a server process is shut down, Amazon
// GameLift captures and stores any log files in this location. These logs are // GameLift captures and stores any log files in this location. These logs are
// in addition to game session logs; see more on game session logs in the Amazon // in addition to game session logs; see more on game session logs in the Amazon
@ -13184,6 +13223,18 @@ func (s *FleetAttributes) SetFleetId(v string) *FleetAttributes {
return s return s
} }
// SetFleetType sets the FleetType field's value.
func (s *FleetAttributes) SetFleetType(v string) *FleetAttributes {
s.FleetType = &v
return s
}
// SetInstanceType sets the InstanceType field's value.
func (s *FleetAttributes) SetInstanceType(v string) *FleetAttributes {
s.InstanceType = &v
return s
}
// SetLogPaths sets the LogPaths field's value. // SetLogPaths sets the LogPaths field's value.
func (s *FleetAttributes) SetLogPaths(v []*string) *FleetAttributes { func (s *FleetAttributes) SetLogPaths(v []*string) *FleetAttributes {
s.LogPaths = v s.LogPaths = v
@ -13601,6 +13652,11 @@ type GameSession struct {
// to have player sessions. // to have player sessions.
Status *string `type:"string" enum:"GameSessionStatus"` Status *string `type:"string" enum:"GameSessionStatus"`
// Provides additional information about game session status. INTERRUPTED indicates
// that the game session was hosted on a spot instance that was reclaimed, causing
// the active game session to be terminated.
StatusReason *string `type:"string" enum:"GameSessionStatusReason"`
// Time stamp indicating when this data object was terminated. Format is a number // Time stamp indicating when this data object was terminated. Format is a number
// expressed in Unix time as milliseconds (for example "1469498468.057"). // expressed in Unix time as milliseconds (for example "1469498468.057").
TerminationTime *time.Time `type:"timestamp" timestampFormat:"unix"` TerminationTime *time.Time `type:"timestamp" timestampFormat:"unix"`
@ -13700,6 +13756,12 @@ func (s *GameSession) SetStatus(v string) *GameSession {
return s return s
} }
// SetStatusReason sets the StatusReason field's value.
func (s *GameSession) SetStatusReason(v string) *GameSession {
s.StatusReason = &v
return s
}
// SetTerminationTime sets the TerminationTime field's value. // SetTerminationTime sets the TerminationTime field's value.
func (s *GameSession) SetTerminationTime(v time.Time) *GameSession { func (s *GameSession) SetTerminationTime(v time.Time) *GameSession {
s.TerminationTime = &v s.TerminationTime = &v
@ -13865,8 +13927,7 @@ type GameSessionPlacement struct {
// formated as a string. It identifies the matchmaking configuration used to // formated as a string. It identifies the matchmaking configuration used to
// create the match, and contains data on all players assigned to the match, // create the match, and contains data on all players assigned to the match,
// including player attributes and team assignments. For more details on matchmaker // including player attributes and team assignments. For more details on matchmaker
// data, see http://docs.aws.amazon.com/gamelift/latest/developerguide/match-server.html#match-server-data // data, see Match Data (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-server.html#match-server-data).
// (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-server.html#match-server-data).
MatchmakerData *string `min:"1" type:"string"` MatchmakerData *string `min:"1" type:"string"`
// Maximum number of players that can be connected simultaneously to the game // Maximum number of players that can be connected simultaneously to the game
@ -15223,9 +15284,9 @@ type MatchmakingTicket struct {
// game session is created for the match. // game session is created for the match.
ConfigurationName *string `min:"1" type:"string"` ConfigurationName *string `min:"1" type:"string"`
// Time stamp indicating when the matchmaking request stopped being processed // Time stamp indicating when this matchmaking request stopped being processed
// due to successful completion, timeout, or cancellation. Format is a number // due to success, failure, or cancellation. Format is a number expressed in
// expressed in Unix time as milliseconds (for example "1469498468.057"). // Unix time as milliseconds (for example "1469498468.057").
EndTime *time.Time `type:"timestamp" timestampFormat:"unix"` EndTime *time.Time `type:"timestamp" timestampFormat:"unix"`
// Average amount of time (in seconds) that players are currently waiting for // Average amount of time (in seconds) that players are currently waiting for
@ -17121,13 +17182,14 @@ type StartMatchBackfillInput struct {
// session. This information is used by the matchmaker to find new players and // session. This information is used by the matchmaker to find new players and
// add them to the existing game. // add them to the existing game.
// //
// * PlayerID, PlayerAttributes, Team -- This information is maintained in // * PlayerID, PlayerAttributes, Team -\\- This information is maintained
// the GameSession object, MatchmakerData property, for all players who are // in the GameSession object, MatchmakerData property, for all players who
// currently assigned to the game session. The matchmaker data is in JSON // are currently assigned to the game session. The matchmaker data is in
// syntax, formatted as a string. For more details, see Match Data (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-server.html#match-server-data). // JSON syntax, formatted as a string. For more details, see Match Data
// (http://docs.aws.amazon.com/gamelift/latest/developerguide/match-server.html#match-server-data).
// //
// //
// * LatencyInMs -- If the matchmaker uses player latency, include a latency // * LatencyInMs -\\- If the matchmaker uses player latency, include a latency
// value, in milliseconds, for the region that the game session is currently // value, in milliseconds, for the region that the game session is currently
// in. Do not include latency values for any other region. // in. Do not include latency values for any other region.
// //
@ -19023,6 +19085,9 @@ const (
// EventCodeFleetVpcPeeringDeleted is a EventCode enum value // EventCodeFleetVpcPeeringDeleted is a EventCode enum value
EventCodeFleetVpcPeeringDeleted = "FLEET_VPC_PEERING_DELETED" EventCodeFleetVpcPeeringDeleted = "FLEET_VPC_PEERING_DELETED"
// EventCodeInstanceInterrupted is a EventCode enum value
EventCodeInstanceInterrupted = "INSTANCE_INTERRUPTED"
) )
const ( const (
@ -19054,6 +19119,14 @@ const (
FleetStatusTerminated = "TERMINATED" FleetStatusTerminated = "TERMINATED"
) )
const (
// FleetTypeOnDemand is a FleetType enum value
FleetTypeOnDemand = "ON_DEMAND"
// FleetTypeSpot is a FleetType enum value
FleetTypeSpot = "SPOT"
)
const ( const (
// GameSessionPlacementStatePending is a GameSessionPlacementState enum value // GameSessionPlacementStatePending is a GameSessionPlacementState enum value
GameSessionPlacementStatePending = "PENDING" GameSessionPlacementStatePending = "PENDING"
@ -19085,6 +19158,11 @@ const (
GameSessionStatusError = "ERROR" GameSessionStatusError = "ERROR"
) )
const (
// GameSessionStatusReasonInterrupted is a GameSessionStatusReason enum value
GameSessionStatusReasonInterrupted = "INTERRUPTED"
)
const ( const (
// InstanceStatusPending is a InstanceStatus enum value // InstanceStatusPending is a InstanceStatus enum value
InstanceStatusPending = "PENDING" InstanceStatusPending = "PENDING"

View File

@ -94,19 +94,19 @@
// CreateGameSession -- Start a new game session on a specific fleet. Available // CreateGameSession -- Start a new game session on a specific fleet. Available
// in Amazon GameLift Local. // in Amazon GameLift Local.
// //
// * Start new game sessions with FlexMatch matchmaking // * Match players to game sessions with FlexMatch matchmaking
// //
// StartMatchmaking -- Request matchmaking for one players or a group who want // StartMatchmaking -- Request matchmaking for one players or a group who want
// to play together. // to play together.
// //
// StartMatchBackfill - Request additional player matches to fill empty slots
// in an existing game session.
//
// DescribeMatchmaking -- Get details on a matchmaking request, including status. // DescribeMatchmaking -- Get details on a matchmaking request, including status.
// //
// AcceptMatch -- Register that a player accepts a proposed match, for matches // AcceptMatch -- Register that a player accepts a proposed match, for matches
// that require player acceptance. // that require player acceptance.
// //
// StartMatchBackfill - Request additional player matches to fill empty slots
// in an existing game session.
//
// StopMatchmaking -- Cancel a matchmaking request. // StopMatchmaking -- Cancel a matchmaking request.
// //
// * Manage game session data // * Manage game session data

View File

@ -17,7 +17,7 @@ const opAbortMultipartUpload = "AbortMultipartUpload"
// AbortMultipartUploadRequest generates a "aws/request.Request" representing the // AbortMultipartUploadRequest generates a "aws/request.Request" representing the
// client's request for the AbortMultipartUpload operation. The "output" return // client's request for the AbortMultipartUpload operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -124,7 +124,7 @@ const opAbortVaultLock = "AbortVaultLock"
// AbortVaultLockRequest generates a "aws/request.Request" representing the // AbortVaultLockRequest generates a "aws/request.Request" representing the
// client's request for the AbortVaultLock operation. The "output" return // client's request for the AbortVaultLock operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -227,7 +227,7 @@ const opAddTagsToVault = "AddTagsToVault"
// AddTagsToVaultRequest generates a "aws/request.Request" representing the // AddTagsToVaultRequest generates a "aws/request.Request" representing the
// client's request for the AddTagsToVault operation. The "output" return // client's request for the AddTagsToVault operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -323,7 +323,7 @@ const opCompleteMultipartUpload = "CompleteMultipartUpload"
// CompleteMultipartUploadRequest generates a "aws/request.Request" representing the // CompleteMultipartUploadRequest generates a "aws/request.Request" representing the
// client's request for the CompleteMultipartUpload operation. The "output" return // client's request for the CompleteMultipartUpload operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -452,7 +452,7 @@ const opCompleteVaultLock = "CompleteVaultLock"
// CompleteVaultLockRequest generates a "aws/request.Request" representing the // CompleteVaultLockRequest generates a "aws/request.Request" representing the
// client's request for the CompleteVaultLock operation. The "output" return // client's request for the CompleteVaultLock operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -554,7 +554,7 @@ const opCreateVault = "CreateVault"
// CreateVaultRequest generates a "aws/request.Request" representing the // CreateVaultRequest generates a "aws/request.Request" representing the
// client's request for the CreateVault operation. The "output" return // client's request for the CreateVault operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -662,7 +662,7 @@ const opDeleteArchive = "DeleteArchive"
// DeleteArchiveRequest generates a "aws/request.Request" representing the // DeleteArchiveRequest generates a "aws/request.Request" representing the
// client's request for the DeleteArchive operation. The "output" return // client's request for the DeleteArchive operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -774,7 +774,7 @@ const opDeleteVault = "DeleteVault"
// DeleteVaultRequest generates a "aws/request.Request" representing the // DeleteVaultRequest generates a "aws/request.Request" representing the
// client's request for the DeleteVault operation. The "output" return // client's request for the DeleteVault operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -884,7 +884,7 @@ const opDeleteVaultAccessPolicy = "DeleteVaultAccessPolicy"
// DeleteVaultAccessPolicyRequest generates a "aws/request.Request" representing the // DeleteVaultAccessPolicyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteVaultAccessPolicy operation. The "output" return // client's request for the DeleteVaultAccessPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -981,7 +981,7 @@ const opDeleteVaultNotifications = "DeleteVaultNotifications"
// DeleteVaultNotificationsRequest generates a "aws/request.Request" representing the // DeleteVaultNotificationsRequest generates a "aws/request.Request" representing the
// client's request for the DeleteVaultNotifications operation. The "output" return // client's request for the DeleteVaultNotifications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1083,7 +1083,7 @@ const opDescribeJob = "DescribeJob"
// DescribeJobRequest generates a "aws/request.Request" representing the // DescribeJobRequest generates a "aws/request.Request" representing the
// client's request for the DescribeJob operation. The "output" return // client's request for the DescribeJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1190,7 +1190,7 @@ const opDescribeVault = "DescribeVault"
// DescribeVaultRequest generates a "aws/request.Request" representing the // DescribeVaultRequest generates a "aws/request.Request" representing the
// client's request for the DescribeVault operation. The "output" return // client's request for the DescribeVault operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1295,7 +1295,7 @@ const opGetDataRetrievalPolicy = "GetDataRetrievalPolicy"
// GetDataRetrievalPolicyRequest generates a "aws/request.Request" representing the // GetDataRetrievalPolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetDataRetrievalPolicy operation. The "output" return // client's request for the GetDataRetrievalPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1379,7 +1379,7 @@ const opGetJobOutput = "GetJobOutput"
// GetJobOutputRequest generates a "aws/request.Request" representing the // GetJobOutputRequest generates a "aws/request.Request" representing the
// client's request for the GetJobOutput operation. The "output" return // client's request for the GetJobOutput operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1508,7 +1508,7 @@ const opGetVaultAccessPolicy = "GetVaultAccessPolicy"
// GetVaultAccessPolicyRequest generates a "aws/request.Request" representing the // GetVaultAccessPolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetVaultAccessPolicy operation. The "output" return // client's request for the GetVaultAccessPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1599,7 +1599,7 @@ const opGetVaultLock = "GetVaultLock"
// GetVaultLockRequest generates a "aws/request.Request" representing the // GetVaultLockRequest generates a "aws/request.Request" representing the
// client's request for the GetVaultLock operation. The "output" return // client's request for the GetVaultLock operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1704,7 +1704,7 @@ const opGetVaultNotifications = "GetVaultNotifications"
// GetVaultNotificationsRequest generates a "aws/request.Request" representing the // GetVaultNotificationsRequest generates a "aws/request.Request" representing the
// client's request for the GetVaultNotifications operation. The "output" return // client's request for the GetVaultNotifications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1808,7 +1808,7 @@ const opInitiateJob = "InitiateJob"
// InitiateJobRequest generates a "aws/request.Request" representing the // InitiateJobRequest generates a "aws/request.Request" representing the
// client's request for the InitiateJob operation. The "output" return // client's request for the InitiateJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1906,7 +1906,7 @@ const opInitiateMultipartUpload = "InitiateMultipartUpload"
// InitiateMultipartUploadRequest generates a "aws/request.Request" representing the // InitiateMultipartUploadRequest generates a "aws/request.Request" representing the
// client's request for the InitiateMultipartUpload operation. The "output" return // client's request for the InitiateMultipartUpload operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2026,7 +2026,7 @@ const opInitiateVaultLock = "InitiateVaultLock"
// InitiateVaultLockRequest generates a "aws/request.Request" representing the // InitiateVaultLockRequest generates a "aws/request.Request" representing the
// client's request for the InitiateVaultLock operation. The "output" return // client's request for the InitiateVaultLock operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2140,7 +2140,7 @@ const opListJobs = "ListJobs"
// ListJobsRequest generates a "aws/request.Request" representing the // ListJobsRequest generates a "aws/request.Request" representing the
// client's request for the ListJobs operation. The "output" return // client's request for the ListJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2317,7 +2317,7 @@ const opListMultipartUploads = "ListMultipartUploads"
// ListMultipartUploadsRequest generates a "aws/request.Request" representing the // ListMultipartUploadsRequest generates a "aws/request.Request" representing the
// client's request for the ListMultipartUploads operation. The "output" return // client's request for the ListMultipartUploads operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2488,7 +2488,7 @@ const opListParts = "ListParts"
// ListPartsRequest generates a "aws/request.Request" representing the // ListPartsRequest generates a "aws/request.Request" representing the
// client's request for the ListParts operation. The "output" return // client's request for the ListParts operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2653,7 +2653,7 @@ const opListProvisionedCapacity = "ListProvisionedCapacity"
// ListProvisionedCapacityRequest generates a "aws/request.Request" representing the // ListProvisionedCapacityRequest generates a "aws/request.Request" representing the
// client's request for the ListProvisionedCapacity operation. The "output" return // client's request for the ListProvisionedCapacity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2736,7 +2736,7 @@ const opListTagsForVault = "ListTagsForVault"
// ListTagsForVaultRequest generates a "aws/request.Request" representing the // ListTagsForVaultRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForVault operation. The "output" return // client's request for the ListTagsForVault operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2824,7 +2824,7 @@ const opListVaults = "ListVaults"
// ListVaultsRequest generates a "aws/request.Request" representing the // ListVaultsRequest generates a "aws/request.Request" representing the
// client's request for the ListVaults operation. The "output" return // client's request for the ListVaults operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2986,7 +2986,7 @@ const opPurchaseProvisionedCapacity = "PurchaseProvisionedCapacity"
// PurchaseProvisionedCapacityRequest generates a "aws/request.Request" representing the // PurchaseProvisionedCapacityRequest generates a "aws/request.Request" representing the
// client's request for the PurchaseProvisionedCapacity operation. The "output" return // client's request for the PurchaseProvisionedCapacity operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3071,7 +3071,7 @@ const opRemoveTagsFromVault = "RemoveTagsFromVault"
// RemoveTagsFromVaultRequest generates a "aws/request.Request" representing the // RemoveTagsFromVaultRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTagsFromVault operation. The "output" return // client's request for the RemoveTagsFromVault operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3163,7 +3163,7 @@ const opSetDataRetrievalPolicy = "SetDataRetrievalPolicy"
// SetDataRetrievalPolicyRequest generates a "aws/request.Request" representing the // SetDataRetrievalPolicyRequest generates a "aws/request.Request" representing the
// client's request for the SetDataRetrievalPolicy operation. The "output" return // client's request for the SetDataRetrievalPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3253,7 +3253,7 @@ const opSetVaultAccessPolicy = "SetVaultAccessPolicy"
// SetVaultAccessPolicyRequest generates a "aws/request.Request" representing the // SetVaultAccessPolicyRequest generates a "aws/request.Request" representing the
// client's request for the SetVaultAccessPolicy operation. The "output" return // client's request for the SetVaultAccessPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3347,7 +3347,7 @@ const opSetVaultNotifications = "SetVaultNotifications"
// SetVaultNotificationsRequest generates a "aws/request.Request" representing the // SetVaultNotificationsRequest generates a "aws/request.Request" representing the
// client's request for the SetVaultNotifications operation. The "output" return // client's request for the SetVaultNotifications operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3466,7 +3466,7 @@ const opUploadArchive = "UploadArchive"
// UploadArchiveRequest generates a "aws/request.Request" representing the // UploadArchiveRequest generates a "aws/request.Request" representing the
// client's request for the UploadArchive operation. The "output" return // client's request for the UploadArchive operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3591,7 +3591,7 @@ const opUploadMultipartPart = "UploadMultipartPart"
// UploadMultipartPartRequest generates a "aws/request.Request" representing the // UploadMultipartPartRequest generates a "aws/request.Request" representing the
// client's request for the UploadMultipartPart operation. The "output" return // client's request for the UploadMultipartPart operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4988,7 +4988,7 @@ type Encryption struct {
EncryptionType *string `type:"string" enum:"EncryptionType"` EncryptionType *string `type:"string" enum:"EncryptionType"`
// Optional. If the encryption type is aws:kms, you can use this value to specify // Optional. If the encryption type is aws:kms, you can use this value to specify
// the encryption context for the restore results. // the encryption context for the job results.
KMSContext *string `type:"string"` KMSContext *string `type:"string"`
// The AWS KMS key ID to use for object encryption. All GET and PUT requests // The AWS KMS key ID to use for object encryption. All GET and PUT requests
@ -6256,7 +6256,7 @@ type JobDescription struct {
// An Amazon SNS topic that receives notification. // An Amazon SNS topic that receives notification.
SNSTopic *string `type:"string"` SNSTopic *string `type:"string"`
// Contains the parameters that define a select job. // Contains the parameters used for a select.
SelectParameters *SelectParameters `type:"structure"` SelectParameters *SelectParameters `type:"structure"`
// The status code can be InProgress, Succeeded, or Failed, and indicates the // The status code can be InProgress, Succeeded, or Failed, and indicates the
@ -6266,7 +6266,7 @@ type JobDescription struct {
// A friendly message that describes the job status. // A friendly message that describes the job status.
StatusMessage *string `type:"string"` StatusMessage *string `type:"string"`
// The retrieval option to use for the archive retrieval. Valid values are Expedited, // The tier to use for a select or an archive retrieval. Valid values are Expedited,
// Standard, or Bulk. Standard is the default. // Standard, or Bulk. Standard is the default.
Tier *string `type:"string"` Tier *string `type:"string"`
@ -6458,8 +6458,8 @@ type JobParameters struct {
// Contains the parameters that define a job. // Contains the parameters that define a job.
SelectParameters *SelectParameters `type:"structure"` SelectParameters *SelectParameters `type:"structure"`
// The retrieval option to use for a select or archive retrieval job. Valid // The tier to use for a select or an archive retrieval job. Valid values are
// values are Expedited, Standard, or Bulk. Standard is the default. // Expedited, Standard, or Bulk. Standard is the default.
Tier *string `type:"string"` Tier *string `type:"string"`
// The job type. You can initiate a job to perform a select query on an archive, // The job type. You can initiate a job to perform a select query on an archive,
@ -7235,7 +7235,7 @@ func (s *ListVaultsOutput) SetVaultList(v []*DescribeVaultOutput) *ListVaultsOut
type OutputLocation struct { type OutputLocation struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// Describes an S3 location that will receive the results of the restore request. // Describes an S3 location that will receive the results of the job request.
S3 *S3Location `type:"structure"` S3 *S3Location `type:"structure"`
} }
@ -7525,26 +7525,26 @@ type S3Location struct {
// A list of grants that control access to the staged results. // A list of grants that control access to the staged results.
AccessControlList []*Grant `type:"list"` AccessControlList []*Grant `type:"list"`
// The name of the bucket where the restore results are stored. // The name of the Amazon S3 bucket where the job results are stored.
BucketName *string `type:"string"` BucketName *string `type:"string"`
// The canned ACL to apply to the restore results. // The canned access control list (ACL) to apply to the job results.
CannedACL *string `type:"string" enum:"CannedACL"` CannedACL *string `type:"string" enum:"CannedACL"`
// Contains information about the encryption used to store the job results in // Contains information about the encryption used to store the job results in
// Amazon S3. // Amazon S3.
Encryption *Encryption `type:"structure"` Encryption *Encryption `type:"structure"`
// The prefix that is prepended to the restore results for this request. // The prefix that is prepended to the results for this request.
Prefix *string `type:"string"` Prefix *string `type:"string"`
// The storage class used to store the restore results. // The storage class used to store the job results.
StorageClass *string `type:"string" enum:"StorageClass"` StorageClass *string `type:"string" enum:"StorageClass"`
// The tag-set that is applied to the restore results. // The tag-set that is applied to the job results.
Tagging map[string]*string `type:"map"` Tagging map[string]*string `type:"map"`
// A map of metadata to store with the restore results in Amazon S3. // A map of metadata to store with the job results in Amazon S3.
UserMetadata map[string]*string `type:"map"` UserMetadata map[string]*string `type:"map"`
} }

View File

@ -3,6 +3,8 @@ package glacier
import ( import (
"crypto/sha256" "crypto/sha256"
"io" "io"
"github.com/aws/aws-sdk-go/internal/sdkio"
) )
const bufsize = 1024 * 1024 const bufsize = 1024 * 1024
@ -18,8 +20,8 @@ type Hash struct {
// //
// See http://docs.aws.amazon.com/amazonglacier/latest/dev/checksum-calculations.html for more information. // See http://docs.aws.amazon.com/amazonglacier/latest/dev/checksum-calculations.html for more information.
func ComputeHashes(r io.ReadSeeker) Hash { func ComputeHashes(r io.ReadSeeker) Hash {
r.Seek(0, 0) // Read the whole stream start, _ := r.Seek(0, sdkio.SeekCurrent) // Read the whole stream
defer r.Seek(0, 0) // Rewind stream at end defer r.Seek(start, sdkio.SeekStart) // Rewind stream at end
buf := make([]byte, bufsize) buf := make([]byte, bufsize)
hashes := [][]byte{} hashes := [][]byte{}

View File

@ -15,7 +15,7 @@ const opBatchCreatePartition = "BatchCreatePartition"
// BatchCreatePartitionRequest generates a "aws/request.Request" representing the // BatchCreatePartitionRequest generates a "aws/request.Request" representing the
// client's request for the BatchCreatePartition operation. The "output" return // client's request for the BatchCreatePartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -109,7 +109,7 @@ const opBatchDeleteConnection = "BatchDeleteConnection"
// BatchDeleteConnectionRequest generates a "aws/request.Request" representing the // BatchDeleteConnectionRequest generates a "aws/request.Request" representing the
// client's request for the BatchDeleteConnection operation. The "output" return // client's request for the BatchDeleteConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -191,7 +191,7 @@ const opBatchDeletePartition = "BatchDeletePartition"
// BatchDeletePartitionRequest generates a "aws/request.Request" representing the // BatchDeletePartitionRequest generates a "aws/request.Request" representing the
// client's request for the BatchDeletePartition operation. The "output" return // client's request for the BatchDeletePartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -279,7 +279,7 @@ const opBatchDeleteTable = "BatchDeleteTable"
// BatchDeleteTableRequest generates a "aws/request.Request" representing the // BatchDeleteTableRequest generates a "aws/request.Request" representing the
// client's request for the BatchDeleteTable operation. The "output" return // client's request for the BatchDeleteTable operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -367,7 +367,7 @@ const opBatchDeleteTableVersion = "BatchDeleteTableVersion"
// BatchDeleteTableVersionRequest generates a "aws/request.Request" representing the // BatchDeleteTableVersionRequest generates a "aws/request.Request" representing the
// client's request for the BatchDeleteTableVersion operation. The "output" return // client's request for the BatchDeleteTableVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -455,7 +455,7 @@ const opBatchGetPartition = "BatchGetPartition"
// BatchGetPartitionRequest generates a "aws/request.Request" representing the // BatchGetPartitionRequest generates a "aws/request.Request" representing the
// client's request for the BatchGetPartition operation. The "output" return // client's request for the BatchGetPartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -543,7 +543,7 @@ const opBatchStopJobRun = "BatchStopJobRun"
// BatchStopJobRunRequest generates a "aws/request.Request" representing the // BatchStopJobRunRequest generates a "aws/request.Request" representing the
// client's request for the BatchStopJobRun operation. The "output" return // client's request for the BatchStopJobRun operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -628,7 +628,7 @@ const opCreateClassifier = "CreateClassifier"
// CreateClassifierRequest generates a "aws/request.Request" representing the // CreateClassifierRequest generates a "aws/request.Request" representing the
// client's request for the CreateClassifier operation. The "output" return // client's request for the CreateClassifier operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -715,7 +715,7 @@ const opCreateConnection = "CreateConnection"
// CreateConnectionRequest generates a "aws/request.Request" representing the // CreateConnectionRequest generates a "aws/request.Request" representing the
// client's request for the CreateConnection operation. The "output" return // client's request for the CreateConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -803,7 +803,7 @@ const opCreateCrawler = "CreateCrawler"
// CreateCrawlerRequest generates a "aws/request.Request" representing the // CreateCrawlerRequest generates a "aws/request.Request" representing the
// client's request for the CreateCrawler operation. The "output" return // client's request for the CreateCrawler operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -893,7 +893,7 @@ const opCreateDatabase = "CreateDatabase"
// CreateDatabaseRequest generates a "aws/request.Request" representing the // CreateDatabaseRequest generates a "aws/request.Request" representing the
// client's request for the CreateDatabase operation. The "output" return // client's request for the CreateDatabase operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -984,7 +984,7 @@ const opCreateDevEndpoint = "CreateDevEndpoint"
// CreateDevEndpointRequest generates a "aws/request.Request" representing the // CreateDevEndpointRequest generates a "aws/request.Request" representing the
// client's request for the CreateDevEndpoint operation. The "output" return // client's request for the CreateDevEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1084,7 +1084,7 @@ const opCreateJob = "CreateJob"
// CreateJobRequest generates a "aws/request.Request" representing the // CreateJobRequest generates a "aws/request.Request" representing the
// client's request for the CreateJob operation. The "output" return // client's request for the CreateJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1181,7 +1181,7 @@ const opCreatePartition = "CreatePartition"
// CreatePartitionRequest generates a "aws/request.Request" representing the // CreatePartitionRequest generates a "aws/request.Request" representing the
// client's request for the CreatePartition operation. The "output" return // client's request for the CreatePartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1275,7 +1275,7 @@ const opCreateScript = "CreateScript"
// CreateScriptRequest generates a "aws/request.Request" representing the // CreateScriptRequest generates a "aws/request.Request" representing the
// client's request for the CreateScript operation. The "output" return // client's request for the CreateScript operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1360,7 +1360,7 @@ const opCreateTable = "CreateTable"
// CreateTableRequest generates a "aws/request.Request" representing the // CreateTableRequest generates a "aws/request.Request" representing the
// client's request for the CreateTable operation. The "output" return // client's request for the CreateTable operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1454,7 +1454,7 @@ const opCreateTrigger = "CreateTrigger"
// CreateTriggerRequest generates a "aws/request.Request" representing the // CreateTriggerRequest generates a "aws/request.Request" representing the
// client's request for the CreateTrigger operation. The "output" return // client's request for the CreateTrigger operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1551,7 +1551,7 @@ const opCreateUserDefinedFunction = "CreateUserDefinedFunction"
// CreateUserDefinedFunctionRequest generates a "aws/request.Request" representing the // CreateUserDefinedFunctionRequest generates a "aws/request.Request" representing the
// client's request for the CreateUserDefinedFunction operation. The "output" return // client's request for the CreateUserDefinedFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1645,7 +1645,7 @@ const opDeleteClassifier = "DeleteClassifier"
// DeleteClassifierRequest generates a "aws/request.Request" representing the // DeleteClassifierRequest generates a "aws/request.Request" representing the
// client's request for the DeleteClassifier operation. The "output" return // client's request for the DeleteClassifier operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1727,7 +1727,7 @@ const opDeleteConnection = "DeleteConnection"
// DeleteConnectionRequest generates a "aws/request.Request" representing the // DeleteConnectionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteConnection operation. The "output" return // client's request for the DeleteConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1809,7 +1809,7 @@ const opDeleteCrawler = "DeleteCrawler"
// DeleteCrawlerRequest generates a "aws/request.Request" representing the // DeleteCrawlerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteCrawler operation. The "output" return // client's request for the DeleteCrawler operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1898,7 +1898,7 @@ const opDeleteDatabase = "DeleteDatabase"
// DeleteDatabaseRequest generates a "aws/request.Request" representing the // DeleteDatabaseRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDatabase operation. The "output" return // client's request for the DeleteDatabase operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1986,7 +1986,7 @@ const opDeleteDevEndpoint = "DeleteDevEndpoint"
// DeleteDevEndpointRequest generates a "aws/request.Request" representing the // DeleteDevEndpointRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDevEndpoint operation. The "output" return // client's request for the DeleteDevEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2074,7 +2074,7 @@ const opDeleteJob = "DeleteJob"
// DeleteJobRequest generates a "aws/request.Request" representing the // DeleteJobRequest generates a "aws/request.Request" representing the
// client's request for the DeleteJob operation. The "output" return // client's request for the DeleteJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2159,7 +2159,7 @@ const opDeletePartition = "DeletePartition"
// DeletePartitionRequest generates a "aws/request.Request" representing the // DeletePartitionRequest generates a "aws/request.Request" representing the
// client's request for the DeletePartition operation. The "output" return // client's request for the DeletePartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2247,7 +2247,7 @@ const opDeleteTable = "DeleteTable"
// DeleteTableRequest generates a "aws/request.Request" representing the // DeleteTableRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTable operation. The "output" return // client's request for the DeleteTable operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2335,7 +2335,7 @@ const opDeleteTableVersion = "DeleteTableVersion"
// DeleteTableVersionRequest generates a "aws/request.Request" representing the // DeleteTableVersionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTableVersion operation. The "output" return // client's request for the DeleteTableVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2423,7 +2423,7 @@ const opDeleteTrigger = "DeleteTrigger"
// DeleteTriggerRequest generates a "aws/request.Request" representing the // DeleteTriggerRequest generates a "aws/request.Request" representing the
// client's request for the DeleteTrigger operation. The "output" return // client's request for the DeleteTrigger operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2512,7 +2512,7 @@ const opDeleteUserDefinedFunction = "DeleteUserDefinedFunction"
// DeleteUserDefinedFunctionRequest generates a "aws/request.Request" representing the // DeleteUserDefinedFunctionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteUserDefinedFunction operation. The "output" return // client's request for the DeleteUserDefinedFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2600,7 +2600,7 @@ const opGetCatalogImportStatus = "GetCatalogImportStatus"
// GetCatalogImportStatusRequest generates a "aws/request.Request" representing the // GetCatalogImportStatusRequest generates a "aws/request.Request" representing the
// client's request for the GetCatalogImportStatus operation. The "output" return // client's request for the GetCatalogImportStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2682,7 +2682,7 @@ const opGetClassifier = "GetClassifier"
// GetClassifierRequest generates a "aws/request.Request" representing the // GetClassifierRequest generates a "aws/request.Request" representing the
// client's request for the GetClassifier operation. The "output" return // client's request for the GetClassifier operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2764,7 +2764,7 @@ const opGetClassifiers = "GetClassifiers"
// GetClassifiersRequest generates a "aws/request.Request" representing the // GetClassifiersRequest generates a "aws/request.Request" representing the
// client's request for the GetClassifiers operation. The "output" return // client's request for the GetClassifiers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2899,7 +2899,7 @@ const opGetConnection = "GetConnection"
// GetConnectionRequest generates a "aws/request.Request" representing the // GetConnectionRequest generates a "aws/request.Request" representing the
// client's request for the GetConnection operation. The "output" return // client's request for the GetConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2981,7 +2981,7 @@ const opGetConnections = "GetConnections"
// GetConnectionsRequest generates a "aws/request.Request" representing the // GetConnectionsRequest generates a "aws/request.Request" representing the
// client's request for the GetConnections operation. The "output" return // client's request for the GetConnections operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3119,7 +3119,7 @@ const opGetCrawler = "GetCrawler"
// GetCrawlerRequest generates a "aws/request.Request" representing the // GetCrawlerRequest generates a "aws/request.Request" representing the
// client's request for the GetCrawler operation. The "output" return // client's request for the GetCrawler operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3201,7 +3201,7 @@ const opGetCrawlerMetrics = "GetCrawlerMetrics"
// GetCrawlerMetricsRequest generates a "aws/request.Request" representing the // GetCrawlerMetricsRequest generates a "aws/request.Request" representing the
// client's request for the GetCrawlerMetrics operation. The "output" return // client's request for the GetCrawlerMetrics operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3336,7 +3336,7 @@ const opGetCrawlers = "GetCrawlers"
// GetCrawlersRequest generates a "aws/request.Request" representing the // GetCrawlersRequest generates a "aws/request.Request" representing the
// client's request for the GetCrawlers operation. The "output" return // client's request for the GetCrawlers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3471,7 +3471,7 @@ const opGetDatabase = "GetDatabase"
// GetDatabaseRequest generates a "aws/request.Request" representing the // GetDatabaseRequest generates a "aws/request.Request" representing the
// client's request for the GetDatabase operation. The "output" return // client's request for the GetDatabase operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3559,7 +3559,7 @@ const opGetDatabases = "GetDatabases"
// GetDatabasesRequest generates a "aws/request.Request" representing the // GetDatabasesRequest generates a "aws/request.Request" representing the
// client's request for the GetDatabases operation. The "output" return // client's request for the GetDatabases operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3700,7 +3700,7 @@ const opGetDataflowGraph = "GetDataflowGraph"
// GetDataflowGraphRequest generates a "aws/request.Request" representing the // GetDataflowGraphRequest generates a "aws/request.Request" representing the
// client's request for the GetDataflowGraph operation. The "output" return // client's request for the GetDataflowGraph operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3785,7 +3785,7 @@ const opGetDevEndpoint = "GetDevEndpoint"
// GetDevEndpointRequest generates a "aws/request.Request" representing the // GetDevEndpointRequest generates a "aws/request.Request" representing the
// client's request for the GetDevEndpoint operation. The "output" return // client's request for the GetDevEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3873,7 +3873,7 @@ const opGetDevEndpoints = "GetDevEndpoints"
// GetDevEndpointsRequest generates a "aws/request.Request" representing the // GetDevEndpointsRequest generates a "aws/request.Request" representing the
// client's request for the GetDevEndpoints operation. The "output" return // client's request for the GetDevEndpoints operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4017,7 +4017,7 @@ const opGetJob = "GetJob"
// GetJobRequest generates a "aws/request.Request" representing the // GetJobRequest generates a "aws/request.Request" representing the
// client's request for the GetJob operation. The "output" return // client's request for the GetJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4105,7 +4105,7 @@ const opGetJobRun = "GetJobRun"
// GetJobRunRequest generates a "aws/request.Request" representing the // GetJobRunRequest generates a "aws/request.Request" representing the
// client's request for the GetJobRun operation. The "output" return // client's request for the GetJobRun operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4193,7 +4193,7 @@ const opGetJobRuns = "GetJobRuns"
// GetJobRunsRequest generates a "aws/request.Request" representing the // GetJobRunsRequest generates a "aws/request.Request" representing the
// client's request for the GetJobRuns operation. The "output" return // client's request for the GetJobRuns operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4337,7 +4337,7 @@ const opGetJobs = "GetJobs"
// GetJobsRequest generates a "aws/request.Request" representing the // GetJobsRequest generates a "aws/request.Request" representing the
// client's request for the GetJobs operation. The "output" return // client's request for the GetJobs operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4481,7 +4481,7 @@ const opGetMapping = "GetMapping"
// GetMappingRequest generates a "aws/request.Request" representing the // GetMappingRequest generates a "aws/request.Request" representing the
// client's request for the GetMapping operation. The "output" return // client's request for the GetMapping operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4569,7 +4569,7 @@ const opGetPartition = "GetPartition"
// GetPartitionRequest generates a "aws/request.Request" representing the // GetPartitionRequest generates a "aws/request.Request" representing the
// client's request for the GetPartition operation. The "output" return // client's request for the GetPartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4657,7 +4657,7 @@ const opGetPartitions = "GetPartitions"
// GetPartitionsRequest generates a "aws/request.Request" representing the // GetPartitionsRequest generates a "aws/request.Request" representing the
// client's request for the GetPartitions operation. The "output" return // client's request for the GetPartitions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4801,7 +4801,7 @@ const opGetPlan = "GetPlan"
// GetPlanRequest generates a "aws/request.Request" representing the // GetPlanRequest generates a "aws/request.Request" representing the
// client's request for the GetPlan operation. The "output" return // client's request for the GetPlan operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4886,7 +4886,7 @@ const opGetTable = "GetTable"
// GetTableRequest generates a "aws/request.Request" representing the // GetTableRequest generates a "aws/request.Request" representing the
// client's request for the GetTable operation. The "output" return // client's request for the GetTable operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4974,7 +4974,7 @@ const opGetTableVersion = "GetTableVersion"
// GetTableVersionRequest generates a "aws/request.Request" representing the // GetTableVersionRequest generates a "aws/request.Request" representing the
// client's request for the GetTableVersion operation. The "output" return // client's request for the GetTableVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5062,7 +5062,7 @@ const opGetTableVersions = "GetTableVersions"
// GetTableVersionsRequest generates a "aws/request.Request" representing the // GetTableVersionsRequest generates a "aws/request.Request" representing the
// client's request for the GetTableVersions operation. The "output" return // client's request for the GetTableVersions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5207,7 +5207,7 @@ const opGetTables = "GetTables"
// GetTablesRequest generates a "aws/request.Request" representing the // GetTablesRequest generates a "aws/request.Request" representing the
// client's request for the GetTables operation. The "output" return // client's request for the GetTables operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5351,7 +5351,7 @@ const opGetTrigger = "GetTrigger"
// GetTriggerRequest generates a "aws/request.Request" representing the // GetTriggerRequest generates a "aws/request.Request" representing the
// client's request for the GetTrigger operation. The "output" return // client's request for the GetTrigger operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5439,7 +5439,7 @@ const opGetTriggers = "GetTriggers"
// GetTriggersRequest generates a "aws/request.Request" representing the // GetTriggersRequest generates a "aws/request.Request" representing the
// client's request for the GetTriggers operation. The "output" return // client's request for the GetTriggers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5583,7 +5583,7 @@ const opGetUserDefinedFunction = "GetUserDefinedFunction"
// GetUserDefinedFunctionRequest generates a "aws/request.Request" representing the // GetUserDefinedFunctionRequest generates a "aws/request.Request" representing the
// client's request for the GetUserDefinedFunction operation. The "output" return // client's request for the GetUserDefinedFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5671,7 +5671,7 @@ const opGetUserDefinedFunctions = "GetUserDefinedFunctions"
// GetUserDefinedFunctionsRequest generates a "aws/request.Request" representing the // GetUserDefinedFunctionsRequest generates a "aws/request.Request" representing the
// client's request for the GetUserDefinedFunctions operation. The "output" return // client's request for the GetUserDefinedFunctions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5815,7 +5815,7 @@ const opImportCatalogToGlue = "ImportCatalogToGlue"
// ImportCatalogToGlueRequest generates a "aws/request.Request" representing the // ImportCatalogToGlueRequest generates a "aws/request.Request" representing the
// client's request for the ImportCatalogToGlue operation. The "output" return // client's request for the ImportCatalogToGlue operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5897,7 +5897,7 @@ const opResetJobBookmark = "ResetJobBookmark"
// ResetJobBookmarkRequest generates a "aws/request.Request" representing the // ResetJobBookmarkRequest generates a "aws/request.Request" representing the
// client's request for the ResetJobBookmark operation. The "output" return // client's request for the ResetJobBookmark operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -5985,7 +5985,7 @@ const opStartCrawler = "StartCrawler"
// StartCrawlerRequest generates a "aws/request.Request" representing the // StartCrawlerRequest generates a "aws/request.Request" representing the
// client's request for the StartCrawler operation. The "output" return // client's request for the StartCrawler operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6071,7 +6071,7 @@ const opStartCrawlerSchedule = "StartCrawlerSchedule"
// StartCrawlerScheduleRequest generates a "aws/request.Request" representing the // StartCrawlerScheduleRequest generates a "aws/request.Request" representing the
// client's request for the StartCrawlerSchedule operation. The "output" return // client's request for the StartCrawlerSchedule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6163,7 +6163,7 @@ const opStartJobRun = "StartJobRun"
// StartJobRunRequest generates a "aws/request.Request" representing the // StartJobRunRequest generates a "aws/request.Request" representing the
// client's request for the StartJobRun operation. The "output" return // client's request for the StartJobRun operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6257,7 +6257,7 @@ const opStartTrigger = "StartTrigger"
// StartTriggerRequest generates a "aws/request.Request" representing the // StartTriggerRequest generates a "aws/request.Request" representing the
// client's request for the StartTrigger operation. The "output" return // client's request for the StartTrigger operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6352,7 +6352,7 @@ const opStopCrawler = "StopCrawler"
// StopCrawlerRequest generates a "aws/request.Request" representing the // StopCrawlerRequest generates a "aws/request.Request" representing the
// client's request for the StopCrawler operation. The "output" return // client's request for the StopCrawler operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6440,7 +6440,7 @@ const opStopCrawlerSchedule = "StopCrawlerSchedule"
// StopCrawlerScheduleRequest generates a "aws/request.Request" representing the // StopCrawlerScheduleRequest generates a "aws/request.Request" representing the
// client's request for the StopCrawlerSchedule operation. The "output" return // client's request for the StopCrawlerSchedule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6529,7 +6529,7 @@ const opStopTrigger = "StopTrigger"
// StopTriggerRequest generates a "aws/request.Request" representing the // StopTriggerRequest generates a "aws/request.Request" representing the
// client's request for the StopTrigger operation. The "output" return // client's request for the StopTrigger operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6620,7 +6620,7 @@ const opUpdateClassifier = "UpdateClassifier"
// UpdateClassifierRequest generates a "aws/request.Request" representing the // UpdateClassifierRequest generates a "aws/request.Request" representing the
// client's request for the UpdateClassifier operation. The "output" return // client's request for the UpdateClassifier operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6709,7 +6709,7 @@ const opUpdateConnection = "UpdateConnection"
// UpdateConnectionRequest generates a "aws/request.Request" representing the // UpdateConnectionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateConnection operation. The "output" return // client's request for the UpdateConnection operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6794,7 +6794,7 @@ const opUpdateCrawler = "UpdateCrawler"
// UpdateCrawlerRequest generates a "aws/request.Request" representing the // UpdateCrawlerRequest generates a "aws/request.Request" representing the
// client's request for the UpdateCrawler operation. The "output" return // client's request for the UpdateCrawler operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6886,7 +6886,7 @@ const opUpdateCrawlerSchedule = "UpdateCrawlerSchedule"
// UpdateCrawlerScheduleRequest generates a "aws/request.Request" representing the // UpdateCrawlerScheduleRequest generates a "aws/request.Request" representing the
// client's request for the UpdateCrawlerSchedule operation. The "output" return // client's request for the UpdateCrawlerSchedule operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -6977,7 +6977,7 @@ const opUpdateDatabase = "UpdateDatabase"
// UpdateDatabaseRequest generates a "aws/request.Request" representing the // UpdateDatabaseRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDatabase operation. The "output" return // client's request for the UpdateDatabase operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7065,7 +7065,7 @@ const opUpdateDevEndpoint = "UpdateDevEndpoint"
// UpdateDevEndpointRequest generates a "aws/request.Request" representing the // UpdateDevEndpointRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDevEndpoint operation. The "output" return // client's request for the UpdateDevEndpoint operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7156,7 +7156,7 @@ const opUpdateJob = "UpdateJob"
// UpdateJobRequest generates a "aws/request.Request" representing the // UpdateJobRequest generates a "aws/request.Request" representing the
// client's request for the UpdateJob operation. The "output" return // client's request for the UpdateJob operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7247,7 +7247,7 @@ const opUpdatePartition = "UpdatePartition"
// UpdatePartitionRequest generates a "aws/request.Request" representing the // UpdatePartitionRequest generates a "aws/request.Request" representing the
// client's request for the UpdatePartition operation. The "output" return // client's request for the UpdatePartition operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7335,7 +7335,7 @@ const opUpdateTable = "UpdateTable"
// UpdateTableRequest generates a "aws/request.Request" representing the // UpdateTableRequest generates a "aws/request.Request" representing the
// client's request for the UpdateTable operation. The "output" return // client's request for the UpdateTable operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7429,7 +7429,7 @@ const opUpdateTrigger = "UpdateTrigger"
// UpdateTriggerRequest generates a "aws/request.Request" representing the // UpdateTriggerRequest generates a "aws/request.Request" representing the
// client's request for the UpdateTrigger operation. The "output" return // client's request for the UpdateTrigger operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -7520,7 +7520,7 @@ const opUpdateUserDefinedFunction = "UpdateUserDefinedFunction"
// UpdateUserDefinedFunctionRequest generates a "aws/request.Request" representing the // UpdateUserDefinedFunctionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateUserDefinedFunction operation. The "output" return // client's request for the UpdateUserDefinedFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -9893,9 +9893,7 @@ type CreateDevEndpointInput struct {
NumberOfNodes *int64 `type:"integer"` NumberOfNodes *int64 `type:"integer"`
// The public key to use for authentication. // The public key to use for authentication.
// PublicKey *string `type:"string"`
// PublicKey is a required field
PublicKey *string `type:"string" required:"true"`
// The IAM role for the DevEndpoint. // The IAM role for the DevEndpoint.
// //
@ -9925,9 +9923,6 @@ func (s *CreateDevEndpointInput) Validate() error {
if s.EndpointName == nil { if s.EndpointName == nil {
invalidParams.Add(request.NewErrParamRequired("EndpointName")) invalidParams.Add(request.NewErrParamRequired("EndpointName"))
} }
if s.PublicKey == nil {
invalidParams.Add(request.NewErrParamRequired("PublicKey"))
}
if s.RoleArn == nil { if s.RoleArn == nil {
invalidParams.Add(request.NewErrParamRequired("RoleArn")) invalidParams.Add(request.NewErrParamRequired("RoleArn"))
} }
@ -12011,7 +12006,10 @@ type DevEndpoint struct {
// The number of AWS Glue Data Processing Units (DPUs) allocated to this DevEndpoint. // The number of AWS Glue Data Processing Units (DPUs) allocated to this DevEndpoint.
NumberOfNodes *int64 `type:"integer"` NumberOfNodes *int64 `type:"integer"`
// The public address used by this DevEndpoint. // The private address used by this DevEndpoint.
PrivateAddress *string `type:"string"`
// The public VPC address used by this DevEndpoint.
PublicAddress *string `type:"string"` PublicAddress *string `type:"string"`
// The public key to be used by this DevEndpoint for authentication. // The public key to be used by this DevEndpoint for authentication.
@ -12103,6 +12101,12 @@ func (s *DevEndpoint) SetNumberOfNodes(v int64) *DevEndpoint {
return s return s
} }
// SetPrivateAddress sets the PrivateAddress field's value.
func (s *DevEndpoint) SetPrivateAddress(v string) *DevEndpoint {
s.PrivateAddress = &v
return s
}
// SetPublicAddress sets the PublicAddress field's value. // SetPublicAddress sets the PublicAddress field's value.
func (s *DevEndpoint) SetPublicAddress(v string) *DevEndpoint { func (s *DevEndpoint) SetPublicAddress(v string) *DevEndpoint {
s.PublicAddress = &v s.PublicAddress = &v

View File

@ -12,7 +12,7 @@ const opAcceptInvitation = "AcceptInvitation"
// AcceptInvitationRequest generates a "aws/request.Request" representing the // AcceptInvitationRequest generates a "aws/request.Request" representing the
// client's request for the AcceptInvitation operation. The "output" return // client's request for the AcceptInvitation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -94,7 +94,7 @@ const opArchiveFindings = "ArchiveFindings"
// ArchiveFindingsRequest generates a "aws/request.Request" representing the // ArchiveFindingsRequest generates a "aws/request.Request" representing the
// client's request for the ArchiveFindings operation. The "output" return // client's request for the ArchiveFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -176,7 +176,7 @@ const opCreateDetector = "CreateDetector"
// CreateDetectorRequest generates a "aws/request.Request" representing the // CreateDetectorRequest generates a "aws/request.Request" representing the
// client's request for the CreateDetector operation. The "output" return // client's request for the CreateDetector operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -260,7 +260,7 @@ const opCreateIPSet = "CreateIPSet"
// CreateIPSetRequest generates a "aws/request.Request" representing the // CreateIPSetRequest generates a "aws/request.Request" representing the
// client's request for the CreateIPSet operation. The "output" return // client's request for the CreateIPSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -343,7 +343,7 @@ const opCreateMembers = "CreateMembers"
// CreateMembersRequest generates a "aws/request.Request" representing the // CreateMembersRequest generates a "aws/request.Request" representing the
// client's request for the CreateMembers operation. The "output" return // client's request for the CreateMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -427,7 +427,7 @@ const opCreateSampleFindings = "CreateSampleFindings"
// CreateSampleFindingsRequest generates a "aws/request.Request" representing the // CreateSampleFindingsRequest generates a "aws/request.Request" representing the
// client's request for the CreateSampleFindings operation. The "output" return // client's request for the CreateSampleFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -511,7 +511,7 @@ const opCreateThreatIntelSet = "CreateThreatIntelSet"
// CreateThreatIntelSetRequest generates a "aws/request.Request" representing the // CreateThreatIntelSetRequest generates a "aws/request.Request" representing the
// client's request for the CreateThreatIntelSet operation. The "output" return // client's request for the CreateThreatIntelSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -594,7 +594,7 @@ const opDeclineInvitations = "DeclineInvitations"
// DeclineInvitationsRequest generates a "aws/request.Request" representing the // DeclineInvitationsRequest generates a "aws/request.Request" representing the
// client's request for the DeclineInvitations operation. The "output" return // client's request for the DeclineInvitations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -677,7 +677,7 @@ const opDeleteDetector = "DeleteDetector"
// DeleteDetectorRequest generates a "aws/request.Request" representing the // DeleteDetectorRequest generates a "aws/request.Request" representing the
// client's request for the DeleteDetector operation. The "output" return // client's request for the DeleteDetector operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -759,7 +759,7 @@ const opDeleteIPSet = "DeleteIPSet"
// DeleteIPSetRequest generates a "aws/request.Request" representing the // DeleteIPSetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteIPSet operation. The "output" return // client's request for the DeleteIPSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -841,7 +841,7 @@ const opDeleteInvitations = "DeleteInvitations"
// DeleteInvitationsRequest generates a "aws/request.Request" representing the // DeleteInvitationsRequest generates a "aws/request.Request" representing the
// client's request for the DeleteInvitations operation. The "output" return // client's request for the DeleteInvitations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -924,7 +924,7 @@ const opDeleteMembers = "DeleteMembers"
// DeleteMembersRequest generates a "aws/request.Request" representing the // DeleteMembersRequest generates a "aws/request.Request" representing the
// client's request for the DeleteMembers operation. The "output" return // client's request for the DeleteMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1007,7 +1007,7 @@ const opDeleteThreatIntelSet = "DeleteThreatIntelSet"
// DeleteThreatIntelSetRequest generates a "aws/request.Request" representing the // DeleteThreatIntelSetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteThreatIntelSet operation. The "output" return // client's request for the DeleteThreatIntelSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1089,7 +1089,7 @@ const opDisassociateFromMasterAccount = "DisassociateFromMasterAccount"
// DisassociateFromMasterAccountRequest generates a "aws/request.Request" representing the // DisassociateFromMasterAccountRequest generates a "aws/request.Request" representing the
// client's request for the DisassociateFromMasterAccount operation. The "output" return // client's request for the DisassociateFromMasterAccount operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1171,7 +1171,7 @@ const opDisassociateMembers = "DisassociateMembers"
// DisassociateMembersRequest generates a "aws/request.Request" representing the // DisassociateMembersRequest generates a "aws/request.Request" representing the
// client's request for the DisassociateMembers operation. The "output" return // client's request for the DisassociateMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1254,7 +1254,7 @@ const opGetDetector = "GetDetector"
// GetDetectorRequest generates a "aws/request.Request" representing the // GetDetectorRequest generates a "aws/request.Request" representing the
// client's request for the GetDetector operation. The "output" return // client's request for the GetDetector operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1336,7 +1336,7 @@ const opGetFindings = "GetFindings"
// GetFindingsRequest generates a "aws/request.Request" representing the // GetFindingsRequest generates a "aws/request.Request" representing the
// client's request for the GetFindings operation. The "output" return // client's request for the GetFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1418,7 +1418,7 @@ const opGetFindingsStatistics = "GetFindingsStatistics"
// GetFindingsStatisticsRequest generates a "aws/request.Request" representing the // GetFindingsStatisticsRequest generates a "aws/request.Request" representing the
// client's request for the GetFindingsStatistics operation. The "output" return // client's request for the GetFindingsStatistics operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1500,7 +1500,7 @@ const opGetIPSet = "GetIPSet"
// GetIPSetRequest generates a "aws/request.Request" representing the // GetIPSetRequest generates a "aws/request.Request" representing the
// client's request for the GetIPSet operation. The "output" return // client's request for the GetIPSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1582,7 +1582,7 @@ const opGetInvitationsCount = "GetInvitationsCount"
// GetInvitationsCountRequest generates a "aws/request.Request" representing the // GetInvitationsCountRequest generates a "aws/request.Request" representing the
// client's request for the GetInvitationsCount operation. The "output" return // client's request for the GetInvitationsCount operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1665,7 +1665,7 @@ const opGetMasterAccount = "GetMasterAccount"
// GetMasterAccountRequest generates a "aws/request.Request" representing the // GetMasterAccountRequest generates a "aws/request.Request" representing the
// client's request for the GetMasterAccount operation. The "output" return // client's request for the GetMasterAccount operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1748,7 +1748,7 @@ const opGetMembers = "GetMembers"
// GetMembersRequest generates a "aws/request.Request" representing the // GetMembersRequest generates a "aws/request.Request" representing the
// client's request for the GetMembers operation. The "output" return // client's request for the GetMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1831,7 +1831,7 @@ const opGetThreatIntelSet = "GetThreatIntelSet"
// GetThreatIntelSetRequest generates a "aws/request.Request" representing the // GetThreatIntelSetRequest generates a "aws/request.Request" representing the
// client's request for the GetThreatIntelSet operation. The "output" return // client's request for the GetThreatIntelSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1913,7 +1913,7 @@ const opInviteMembers = "InviteMembers"
// InviteMembersRequest generates a "aws/request.Request" representing the // InviteMembersRequest generates a "aws/request.Request" representing the
// client's request for the InviteMembers operation. The "output" return // client's request for the InviteMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1998,7 +1998,7 @@ const opListDetectors = "ListDetectors"
// ListDetectorsRequest generates a "aws/request.Request" representing the // ListDetectorsRequest generates a "aws/request.Request" representing the
// client's request for the ListDetectors operation. The "output" return // client's request for the ListDetectors operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2136,7 +2136,7 @@ const opListFindings = "ListFindings"
// ListFindingsRequest generates a "aws/request.Request" representing the // ListFindingsRequest generates a "aws/request.Request" representing the
// client's request for the ListFindings operation. The "output" return // client's request for the ListFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2274,7 +2274,7 @@ const opListIPSets = "ListIPSets"
// ListIPSetsRequest generates a "aws/request.Request" representing the // ListIPSetsRequest generates a "aws/request.Request" representing the
// client's request for the ListIPSets operation. The "output" return // client's request for the ListIPSets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2412,7 +2412,7 @@ const opListInvitations = "ListInvitations"
// ListInvitationsRequest generates a "aws/request.Request" representing the // ListInvitationsRequest generates a "aws/request.Request" representing the
// client's request for the ListInvitations operation. The "output" return // client's request for the ListInvitations operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2551,7 +2551,7 @@ const opListMembers = "ListMembers"
// ListMembersRequest generates a "aws/request.Request" representing the // ListMembersRequest generates a "aws/request.Request" representing the
// client's request for the ListMembers operation. The "output" return // client's request for the ListMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2690,7 +2690,7 @@ const opListThreatIntelSets = "ListThreatIntelSets"
// ListThreatIntelSetsRequest generates a "aws/request.Request" representing the // ListThreatIntelSetsRequest generates a "aws/request.Request" representing the
// client's request for the ListThreatIntelSets operation. The "output" return // client's request for the ListThreatIntelSets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2829,7 +2829,7 @@ const opStartMonitoringMembers = "StartMonitoringMembers"
// StartMonitoringMembersRequest generates a "aws/request.Request" representing the // StartMonitoringMembersRequest generates a "aws/request.Request" representing the
// client's request for the StartMonitoringMembers operation. The "output" return // client's request for the StartMonitoringMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2913,7 +2913,7 @@ const opStopMonitoringMembers = "StopMonitoringMembers"
// StopMonitoringMembersRequest generates a "aws/request.Request" representing the // StopMonitoringMembersRequest generates a "aws/request.Request" representing the
// client's request for the StopMonitoringMembers operation. The "output" return // client's request for the StopMonitoringMembers operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2998,7 +2998,7 @@ const opUnarchiveFindings = "UnarchiveFindings"
// UnarchiveFindingsRequest generates a "aws/request.Request" representing the // UnarchiveFindingsRequest generates a "aws/request.Request" representing the
// client's request for the UnarchiveFindings operation. The "output" return // client's request for the UnarchiveFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3080,7 +3080,7 @@ const opUpdateDetector = "UpdateDetector"
// UpdateDetectorRequest generates a "aws/request.Request" representing the // UpdateDetectorRequest generates a "aws/request.Request" representing the
// client's request for the UpdateDetector operation. The "output" return // client's request for the UpdateDetector operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3162,7 +3162,7 @@ const opUpdateFindingsFeedback = "UpdateFindingsFeedback"
// UpdateFindingsFeedbackRequest generates a "aws/request.Request" representing the // UpdateFindingsFeedbackRequest generates a "aws/request.Request" representing the
// client's request for the UpdateFindingsFeedback operation. The "output" return // client's request for the UpdateFindingsFeedback operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3244,7 +3244,7 @@ const opUpdateIPSet = "UpdateIPSet"
// UpdateIPSetRequest generates a "aws/request.Request" representing the // UpdateIPSetRequest generates a "aws/request.Request" representing the
// client's request for the UpdateIPSet operation. The "output" return // client's request for the UpdateIPSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3326,7 +3326,7 @@ const opUpdateThreatIntelSet = "UpdateThreatIntelSet"
// UpdateThreatIntelSetRequest generates a "aws/request.Request" representing the // UpdateThreatIntelSetRequest generates a "aws/request.Request" representing the
// client's request for the UpdateThreatIntelSet operation. The "output" return // client's request for the UpdateThreatIntelSet operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -45,14 +45,14 @@ const (
// svc := guardduty.New(mySession, aws.NewConfig().WithRegion("us-west-2")) // svc := guardduty.New(mySession, aws.NewConfig().WithRegion("us-west-2"))
func New(p client.ConfigProvider, cfgs ...*aws.Config) *GuardDuty { func New(p client.ConfigProvider, cfgs ...*aws.Config) *GuardDuty {
c := p.ClientConfig(EndpointsID, cfgs...) c := p.ClientConfig(EndpointsID, cfgs...)
if c.SigningNameDerived || len(c.SigningName) == 0 {
c.SigningName = "guardduty"
}
return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName) return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName)
} }
// newClient creates, initializes and returns a new service client instance. // newClient creates, initializes and returns a new service client instance.
func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *GuardDuty { func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *GuardDuty {
if len(signingName) == 0 {
signingName = "guardduty"
}
svc := &GuardDuty{ svc := &GuardDuty{
Client: client.New( Client: client.New(
cfg, cfg,

File diff suppressed because it is too large Load Diff

View File

@ -17,7 +17,7 @@ const opAddAttributesToFindings = "AddAttributesToFindings"
// AddAttributesToFindingsRequest generates a "aws/request.Request" representing the // AddAttributesToFindingsRequest generates a "aws/request.Request" representing the
// client's request for the AddAttributesToFindings operation. The "output" return // client's request for the AddAttributesToFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -108,7 +108,7 @@ const opCreateAssessmentTarget = "CreateAssessmentTarget"
// CreateAssessmentTargetRequest generates a "aws/request.Request" representing the // CreateAssessmentTargetRequest generates a "aws/request.Request" representing the
// client's request for the CreateAssessmentTarget operation. The "output" return // client's request for the CreateAssessmentTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -208,7 +208,7 @@ const opCreateAssessmentTemplate = "CreateAssessmentTemplate"
// CreateAssessmentTemplateRequest generates a "aws/request.Request" representing the // CreateAssessmentTemplateRequest generates a "aws/request.Request" representing the
// client's request for the CreateAssessmentTemplate operation. The "output" return // client's request for the CreateAssessmentTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -306,7 +306,7 @@ const opCreateResourceGroup = "CreateResourceGroup"
// CreateResourceGroupRequest generates a "aws/request.Request" representing the // CreateResourceGroupRequest generates a "aws/request.Request" representing the
// client's request for the CreateResourceGroup operation. The "output" return // client's request for the CreateResourceGroup operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -399,7 +399,7 @@ const opDeleteAssessmentRun = "DeleteAssessmentRun"
// DeleteAssessmentRunRequest generates a "aws/request.Request" representing the // DeleteAssessmentRunRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAssessmentRun operation. The "output" return // client's request for the DeleteAssessmentRun operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -496,7 +496,7 @@ const opDeleteAssessmentTarget = "DeleteAssessmentTarget"
// DeleteAssessmentTargetRequest generates a "aws/request.Request" representing the // DeleteAssessmentTargetRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAssessmentTarget operation. The "output" return // client's request for the DeleteAssessmentTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -593,7 +593,7 @@ const opDeleteAssessmentTemplate = "DeleteAssessmentTemplate"
// DeleteAssessmentTemplateRequest generates a "aws/request.Request" representing the // DeleteAssessmentTemplateRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAssessmentTemplate operation. The "output" return // client's request for the DeleteAssessmentTemplate operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -690,7 +690,7 @@ const opDescribeAssessmentRuns = "DescribeAssessmentRuns"
// DescribeAssessmentRunsRequest generates a "aws/request.Request" representing the // DescribeAssessmentRunsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAssessmentRuns operation. The "output" return // client's request for the DescribeAssessmentRuns operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -774,7 +774,7 @@ const opDescribeAssessmentTargets = "DescribeAssessmentTargets"
// DescribeAssessmentTargetsRequest generates a "aws/request.Request" representing the // DescribeAssessmentTargetsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAssessmentTargets operation. The "output" return // client's request for the DescribeAssessmentTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -858,7 +858,7 @@ const opDescribeAssessmentTemplates = "DescribeAssessmentTemplates"
// DescribeAssessmentTemplatesRequest generates a "aws/request.Request" representing the // DescribeAssessmentTemplatesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeAssessmentTemplates operation. The "output" return // client's request for the DescribeAssessmentTemplates operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -942,7 +942,7 @@ const opDescribeCrossAccountAccessRole = "DescribeCrossAccountAccessRole"
// DescribeCrossAccountAccessRoleRequest generates a "aws/request.Request" representing the // DescribeCrossAccountAccessRoleRequest generates a "aws/request.Request" representing the
// client's request for the DescribeCrossAccountAccessRole operation. The "output" return // client's request for the DescribeCrossAccountAccessRole operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1021,7 +1021,7 @@ const opDescribeFindings = "DescribeFindings"
// DescribeFindingsRequest generates a "aws/request.Request" representing the // DescribeFindingsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeFindings operation. The "output" return // client's request for the DescribeFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1104,7 +1104,7 @@ const opDescribeResourceGroups = "DescribeResourceGroups"
// DescribeResourceGroupsRequest generates a "aws/request.Request" representing the // DescribeResourceGroupsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeResourceGroups operation. The "output" return // client's request for the DescribeResourceGroups operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1188,7 +1188,7 @@ const opDescribeRulesPackages = "DescribeRulesPackages"
// DescribeRulesPackagesRequest generates a "aws/request.Request" representing the // DescribeRulesPackagesRequest generates a "aws/request.Request" representing the
// client's request for the DescribeRulesPackages operation. The "output" return // client's request for the DescribeRulesPackages operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1272,7 +1272,7 @@ const opGetAssessmentReport = "GetAssessmentReport"
// GetAssessmentReportRequest generates a "aws/request.Request" representing the // GetAssessmentReportRequest generates a "aws/request.Request" representing the
// client's request for the GetAssessmentReport operation. The "output" return // client's request for the GetAssessmentReport operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1374,7 +1374,7 @@ const opGetTelemetryMetadata = "GetTelemetryMetadata"
// GetTelemetryMetadataRequest generates a "aws/request.Request" representing the // GetTelemetryMetadataRequest generates a "aws/request.Request" representing the
// client's request for the GetTelemetryMetadata operation. The "output" return // client's request for the GetTelemetryMetadata operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1465,7 +1465,7 @@ const opListAssessmentRunAgents = "ListAssessmentRunAgents"
// ListAssessmentRunAgentsRequest generates a "aws/request.Request" representing the // ListAssessmentRunAgentsRequest generates a "aws/request.Request" representing the
// client's request for the ListAssessmentRunAgents operation. The "output" return // client's request for the ListAssessmentRunAgents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1612,7 +1612,7 @@ const opListAssessmentRuns = "ListAssessmentRuns"
// ListAssessmentRunsRequest generates a "aws/request.Request" representing the // ListAssessmentRunsRequest generates a "aws/request.Request" representing the
// client's request for the ListAssessmentRuns operation. The "output" return // client's request for the ListAssessmentRuns operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1759,7 +1759,7 @@ const opListAssessmentTargets = "ListAssessmentTargets"
// ListAssessmentTargetsRequest generates a "aws/request.Request" representing the // ListAssessmentTargetsRequest generates a "aws/request.Request" representing the
// client's request for the ListAssessmentTargets operation. The "output" return // client's request for the ListAssessmentTargets operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1903,7 +1903,7 @@ const opListAssessmentTemplates = "ListAssessmentTemplates"
// ListAssessmentTemplatesRequest generates a "aws/request.Request" representing the // ListAssessmentTemplatesRequest generates a "aws/request.Request" representing the
// client's request for the ListAssessmentTemplates operation. The "output" return // client's request for the ListAssessmentTemplates operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2050,7 +2050,7 @@ const opListEventSubscriptions = "ListEventSubscriptions"
// ListEventSubscriptionsRequest generates a "aws/request.Request" representing the // ListEventSubscriptionsRequest generates a "aws/request.Request" representing the
// client's request for the ListEventSubscriptions operation. The "output" return // client's request for the ListEventSubscriptions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2198,7 +2198,7 @@ const opListFindings = "ListFindings"
// ListFindingsRequest generates a "aws/request.Request" representing the // ListFindingsRequest generates a "aws/request.Request" representing the
// client's request for the ListFindings operation. The "output" return // client's request for the ListFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2345,7 +2345,7 @@ const opListRulesPackages = "ListRulesPackages"
// ListRulesPackagesRequest generates a "aws/request.Request" representing the // ListRulesPackagesRequest generates a "aws/request.Request" representing the
// client's request for the ListRulesPackages operation. The "output" return // client's request for the ListRulesPackages operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2487,7 +2487,7 @@ const opListTagsForResource = "ListTagsForResource"
// ListTagsForResourceRequest generates a "aws/request.Request" representing the // ListTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForResource operation. The "output" return // client's request for the ListTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2577,7 +2577,7 @@ const opPreviewAgents = "PreviewAgents"
// PreviewAgentsRequest generates a "aws/request.Request" representing the // PreviewAgentsRequest generates a "aws/request.Request" representing the
// client's request for the PreviewAgents operation. The "output" return // client's request for the PreviewAgents operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2728,7 +2728,7 @@ const opRegisterCrossAccountAccessRole = "RegisterCrossAccountAccessRole"
// RegisterCrossAccountAccessRoleRequest generates a "aws/request.Request" representing the // RegisterCrossAccountAccessRoleRequest generates a "aws/request.Request" representing the
// client's request for the RegisterCrossAccountAccessRole operation. The "output" return // client's request for the RegisterCrossAccountAccessRole operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2821,7 +2821,7 @@ const opRemoveAttributesFromFindings = "RemoveAttributesFromFindings"
// RemoveAttributesFromFindingsRequest generates a "aws/request.Request" representing the // RemoveAttributesFromFindingsRequest generates a "aws/request.Request" representing the
// client's request for the RemoveAttributesFromFindings operation. The "output" return // client's request for the RemoveAttributesFromFindings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2913,7 +2913,7 @@ const opSetTagsForResource = "SetTagsForResource"
// SetTagsForResourceRequest generates a "aws/request.Request" representing the // SetTagsForResourceRequest generates a "aws/request.Request" representing the
// client's request for the SetTagsForResource operation. The "output" return // client's request for the SetTagsForResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3006,7 +3006,7 @@ const opStartAssessmentRun = "StartAssessmentRun"
// StartAssessmentRunRequest generates a "aws/request.Request" representing the // StartAssessmentRunRequest generates a "aws/request.Request" representing the
// client's request for the StartAssessmentRun operation. The "output" return // client's request for the StartAssessmentRun operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3110,7 +3110,7 @@ const opStopAssessmentRun = "StopAssessmentRun"
// StopAssessmentRunRequest generates a "aws/request.Request" representing the // StopAssessmentRunRequest generates a "aws/request.Request" representing the
// client's request for the StopAssessmentRun operation. The "output" return // client's request for the StopAssessmentRun operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3202,7 +3202,7 @@ const opSubscribeToEvent = "SubscribeToEvent"
// SubscribeToEventRequest generates a "aws/request.Request" representing the // SubscribeToEventRequest generates a "aws/request.Request" representing the
// client's request for the SubscribeToEvent operation. The "output" return // client's request for the SubscribeToEvent operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3299,7 +3299,7 @@ const opUnsubscribeFromEvent = "UnsubscribeFromEvent"
// UnsubscribeFromEventRequest generates a "aws/request.Request" representing the // UnsubscribeFromEventRequest generates a "aws/request.Request" representing the
// client's request for the UnsubscribeFromEvent operation. The "output" return // client's request for the UnsubscribeFromEvent operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3392,7 +3392,7 @@ const opUpdateAssessmentTarget = "UpdateAssessmentTarget"
// UpdateAssessmentTargetRequest generates a "aws/request.Request" representing the // UpdateAssessmentTargetRequest generates a "aws/request.Request" representing the
// client's request for the UpdateAssessmentTarget operation. The "output" return // client's request for the UpdateAssessmentTarget operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

File diff suppressed because it is too large Load Diff

View File

@ -45,14 +45,14 @@ const (
// svc := iot.New(mySession, aws.NewConfig().WithRegion("us-west-2")) // svc := iot.New(mySession, aws.NewConfig().WithRegion("us-west-2"))
func New(p client.ConfigProvider, cfgs ...*aws.Config) *IoT { func New(p client.ConfigProvider, cfgs ...*aws.Config) *IoT {
c := p.ClientConfig(EndpointsID, cfgs...) c := p.ClientConfig(EndpointsID, cfgs...)
if c.SigningNameDerived || len(c.SigningName) == 0 {
c.SigningName = "execute-api"
}
return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName) return newClient(*c.Config, c.Handlers, c.Endpoint, c.SigningRegion, c.SigningName)
} }
// newClient creates, initializes and returns a new service client instance. // newClient creates, initializes and returns a new service client instance.
func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *IoT { func newClient(cfg aws.Config, handlers request.Handlers, endpoint, signingRegion, signingName string) *IoT {
if len(signingName) == 0 {
signingName = "execute-api"
}
svc := &IoT{ svc := &IoT{
Client: client.New( Client: client.New(
cfg, cfg,

View File

@ -17,7 +17,7 @@ const opAddTagsToStream = "AddTagsToStream"
// AddTagsToStreamRequest generates a "aws/request.Request" representing the // AddTagsToStreamRequest generates a "aws/request.Request" representing the
// client's request for the AddTagsToStream operation. The "output" return // client's request for the AddTagsToStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -117,7 +117,7 @@ const opCreateStream = "CreateStream"
// CreateStreamRequest generates a "aws/request.Request" representing the // CreateStreamRequest generates a "aws/request.Request" representing the
// client's request for the CreateStream operation. The "output" return // client's request for the CreateStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -245,7 +245,7 @@ const opDecreaseStreamRetentionPeriod = "DecreaseStreamRetentionPeriod"
// DecreaseStreamRetentionPeriodRequest generates a "aws/request.Request" representing the // DecreaseStreamRetentionPeriodRequest generates a "aws/request.Request" representing the
// client's request for the DecreaseStreamRetentionPeriod operation. The "output" return // client's request for the DecreaseStreamRetentionPeriod operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -345,7 +345,7 @@ const opDeleteStream = "DeleteStream"
// DeleteStreamRequest generates a "aws/request.Request" representing the // DeleteStreamRequest generates a "aws/request.Request" representing the
// client's request for the DeleteStream operation. The "output" return // client's request for the DeleteStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -450,7 +450,7 @@ const opDescribeLimits = "DescribeLimits"
// DescribeLimitsRequest generates a "aws/request.Request" representing the // DescribeLimitsRequest generates a "aws/request.Request" representing the
// client's request for the DescribeLimits operation. The "output" return // client's request for the DescribeLimits operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -535,7 +535,7 @@ const opDescribeStream = "DescribeStream"
// DescribeStreamRequest generates a "aws/request.Request" representing the // DescribeStreamRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStream operation. The "output" return // client's request for the DescribeStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -693,7 +693,7 @@ const opDescribeStreamSummary = "DescribeStreamSummary"
// DescribeStreamSummaryRequest generates a "aws/request.Request" representing the // DescribeStreamSummaryRequest generates a "aws/request.Request" representing the
// client's request for the DescribeStreamSummary operation. The "output" return // client's request for the DescribeStreamSummary operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -782,7 +782,7 @@ const opDisableEnhancedMonitoring = "DisableEnhancedMonitoring"
// DisableEnhancedMonitoringRequest generates a "aws/request.Request" representing the // DisableEnhancedMonitoringRequest generates a "aws/request.Request" representing the
// client's request for the DisableEnhancedMonitoring operation. The "output" return // client's request for the DisableEnhancedMonitoring operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -874,7 +874,7 @@ const opEnableEnhancedMonitoring = "EnableEnhancedMonitoring"
// EnableEnhancedMonitoringRequest generates a "aws/request.Request" representing the // EnableEnhancedMonitoringRequest generates a "aws/request.Request" representing the
// client's request for the EnableEnhancedMonitoring operation. The "output" return // client's request for the EnableEnhancedMonitoring operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -966,7 +966,7 @@ const opGetRecords = "GetRecords"
// GetRecordsRequest generates a "aws/request.Request" representing the // GetRecordsRequest generates a "aws/request.Request" representing the
// client's request for the GetRecords operation. The "output" return // client's request for the GetRecords operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1139,7 +1139,7 @@ const opGetShardIterator = "GetShardIterator"
// GetShardIteratorRequest generates a "aws/request.Request" representing the // GetShardIteratorRequest generates a "aws/request.Request" representing the
// client's request for the GetShardIterator operation. The "output" return // client's request for the GetShardIterator operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1269,7 +1269,7 @@ const opIncreaseStreamRetentionPeriod = "IncreaseStreamRetentionPeriod"
// IncreaseStreamRetentionPeriodRequest generates a "aws/request.Request" representing the // IncreaseStreamRetentionPeriodRequest generates a "aws/request.Request" representing the
// client's request for the IncreaseStreamRetentionPeriod operation. The "output" return // client's request for the IncreaseStreamRetentionPeriod operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1373,7 +1373,7 @@ const opListShards = "ListShards"
// ListShardsRequest generates a "aws/request.Request" representing the // ListShardsRequest generates a "aws/request.Request" representing the
// client's request for the ListShards operation. The "output" return // client's request for the ListShards operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1475,7 +1475,7 @@ const opListStreams = "ListStreams"
// ListStreamsRequest generates a "aws/request.Request" representing the // ListStreamsRequest generates a "aws/request.Request" representing the
// client's request for the ListStreams operation. The "output" return // client's request for the ListStreams operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1626,7 +1626,7 @@ const opListTagsForStream = "ListTagsForStream"
// ListTagsForStreamRequest generates a "aws/request.Request" representing the // ListTagsForStreamRequest generates a "aws/request.Request" representing the
// client's request for the ListTagsForStream operation. The "output" return // client's request for the ListTagsForStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1715,7 +1715,7 @@ const opMergeShards = "MergeShards"
// MergeShardsRequest generates a "aws/request.Request" representing the // MergeShardsRequest generates a "aws/request.Request" representing the
// client's request for the MergeShards operation. The "output" return // client's request for the MergeShards operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1844,7 +1844,7 @@ const opPutRecord = "PutRecord"
// PutRecordRequest generates a "aws/request.Request" representing the // PutRecordRequest generates a "aws/request.Request" representing the
// client's request for the PutRecord operation. The "output" return // client's request for the PutRecord operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2000,7 +2000,7 @@ const opPutRecords = "PutRecords"
// PutRecordsRequest generates a "aws/request.Request" representing the // PutRecordsRequest generates a "aws/request.Request" representing the
// client's request for the PutRecords operation. The "output" return // client's request for the PutRecords operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2176,7 +2176,7 @@ const opRemoveTagsFromStream = "RemoveTagsFromStream"
// RemoveTagsFromStreamRequest generates a "aws/request.Request" representing the // RemoveTagsFromStreamRequest generates a "aws/request.Request" representing the
// client's request for the RemoveTagsFromStream operation. The "output" return // client's request for the RemoveTagsFromStream operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2275,7 +2275,7 @@ const opSplitShard = "SplitShard"
// SplitShardRequest generates a "aws/request.Request" representing the // SplitShardRequest generates a "aws/request.Request" representing the
// client's request for the SplitShard operation. The "output" return // client's request for the SplitShard operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2413,7 +2413,7 @@ const opStartStreamEncryption = "StartStreamEncryption"
// StartStreamEncryptionRequest generates a "aws/request.Request" representing the // StartStreamEncryptionRequest generates a "aws/request.Request" representing the
// client's request for the StartStreamEncryption operation. The "output" return // client's request for the StartStreamEncryption operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2551,7 +2551,7 @@ const opStopStreamEncryption = "StopStreamEncryption"
// StopStreamEncryptionRequest generates a "aws/request.Request" representing the // StopStreamEncryptionRequest generates a "aws/request.Request" representing the
// client's request for the StopStreamEncryption operation. The "output" return // client's request for the StopStreamEncryption operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2662,7 +2662,7 @@ const opUpdateShardCount = "UpdateShardCount"
// UpdateShardCountRequest generates a "aws/request.Request" representing the // UpdateShardCountRequest generates a "aws/request.Request" representing the
// client's request for the UpdateShardCount operation. The "output" return // client's request for the UpdateShardCount operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opCancelKeyDeletion = "CancelKeyDeletion"
// CancelKeyDeletionRequest generates a "aws/request.Request" representing the // CancelKeyDeletionRequest generates a "aws/request.Request" representing the
// client's request for the CancelKeyDeletion operation. The "output" return // client's request for the CancelKeyDeletion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -123,7 +123,7 @@ const opCreateAlias = "CreateAlias"
// CreateAliasRequest generates a "aws/request.Request" representing the // CreateAliasRequest generates a "aws/request.Request" representing the
// client's request for the CreateAlias operation. The "output" return // client's request for the CreateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -255,7 +255,7 @@ const opCreateGrant = "CreateGrant"
// CreateGrantRequest generates a "aws/request.Request" representing the // CreateGrantRequest generates a "aws/request.Request" representing the
// client's request for the CreateGrant operation. The "output" return // client's request for the CreateGrant operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -372,7 +372,7 @@ const opCreateKey = "CreateKey"
// CreateKeyRequest generates a "aws/request.Request" representing the // CreateKeyRequest generates a "aws/request.Request" representing the
// client's request for the CreateKey operation. The "output" return // client's request for the CreateKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -487,7 +487,7 @@ const opDecrypt = "Decrypt"
// DecryptRequest generates a "aws/request.Request" representing the // DecryptRequest generates a "aws/request.Request" representing the
// client's request for the Decrypt operation. The "output" return // client's request for the Decrypt operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -614,7 +614,7 @@ const opDeleteAlias = "DeleteAlias"
// DeleteAliasRequest generates a "aws/request.Request" representing the // DeleteAliasRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAlias operation. The "output" return // client's request for the DeleteAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -722,7 +722,7 @@ const opDeleteImportedKeyMaterial = "DeleteImportedKeyMaterial"
// DeleteImportedKeyMaterialRequest generates a "aws/request.Request" representing the // DeleteImportedKeyMaterialRequest generates a "aws/request.Request" representing the
// client's request for the DeleteImportedKeyMaterial operation. The "output" return // client's request for the DeleteImportedKeyMaterial operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -837,7 +837,7 @@ const opDescribeKey = "DescribeKey"
// DescribeKeyRequest generates a "aws/request.Request" representing the // DescribeKeyRequest generates a "aws/request.Request" representing the
// client's request for the DescribeKey operation. The "output" return // client's request for the DescribeKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -931,7 +931,7 @@ const opDisableKey = "DisableKey"
// DisableKeyRequest generates a "aws/request.Request" representing the // DisableKeyRequest generates a "aws/request.Request" representing the
// client's request for the DisableKey operation. The "output" return // client's request for the DisableKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1038,7 +1038,7 @@ const opDisableKeyRotation = "DisableKeyRotation"
// DisableKeyRotationRequest generates a "aws/request.Request" representing the // DisableKeyRotationRequest generates a "aws/request.Request" representing the
// client's request for the DisableKeyRotation operation. The "output" return // client's request for the DisableKeyRotation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1148,7 +1148,7 @@ const opEnableKey = "EnableKey"
// EnableKeyRequest generates a "aws/request.Request" representing the // EnableKeyRequest generates a "aws/request.Request" representing the
// client's request for the EnableKey operation. The "output" return // client's request for the EnableKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1256,7 +1256,7 @@ const opEnableKeyRotation = "EnableKeyRotation"
// EnableKeyRotationRequest generates a "aws/request.Request" representing the // EnableKeyRotationRequest generates a "aws/request.Request" representing the
// client's request for the EnableKeyRotation operation. The "output" return // client's request for the EnableKeyRotation operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1366,7 +1366,7 @@ const opEncrypt = "Encrypt"
// EncryptRequest generates a "aws/request.Request" representing the // EncryptRequest generates a "aws/request.Request" representing the
// client's request for the Encrypt operation. The "output" return // client's request for the Encrypt operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1497,7 +1497,7 @@ const opGenerateDataKey = "GenerateDataKey"
// GenerateDataKeyRequest generates a "aws/request.Request" representing the // GenerateDataKeyRequest generates a "aws/request.Request" representing the
// client's request for the GenerateDataKey operation. The "output" return // client's request for the GenerateDataKey operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1651,7 +1651,7 @@ const opGenerateDataKeyWithoutPlaintext = "GenerateDataKeyWithoutPlaintext"
// GenerateDataKeyWithoutPlaintextRequest generates a "aws/request.Request" representing the // GenerateDataKeyWithoutPlaintextRequest generates a "aws/request.Request" representing the
// client's request for the GenerateDataKeyWithoutPlaintext operation. The "output" return // client's request for the GenerateDataKeyWithoutPlaintext operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1777,7 +1777,7 @@ const opGenerateRandom = "GenerateRandom"
// GenerateRandomRequest generates a "aws/request.Request" representing the // GenerateRandomRequest generates a "aws/request.Request" representing the
// client's request for the GenerateRandom operation. The "output" return // client's request for the GenerateRandom operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1865,7 +1865,7 @@ const opGetKeyPolicy = "GetKeyPolicy"
// GetKeyPolicyRequest generates a "aws/request.Request" representing the // GetKeyPolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetKeyPolicy operation. The "output" return // client's request for the GetKeyPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1965,7 +1965,7 @@ const opGetKeyRotationStatus = "GetKeyRotationStatus"
// GetKeyRotationStatusRequest generates a "aws/request.Request" representing the // GetKeyRotationStatusRequest generates a "aws/request.Request" representing the
// client's request for the GetKeyRotationStatus operation. The "output" return // client's request for the GetKeyRotationStatus operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2072,7 +2072,7 @@ const opGetParametersForImport = "GetParametersForImport"
// GetParametersForImportRequest generates a "aws/request.Request" representing the // GetParametersForImportRequest generates a "aws/request.Request" representing the
// client's request for the GetParametersForImport operation. The "output" return // client's request for the GetParametersForImport operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2191,7 +2191,7 @@ const opImportKeyMaterial = "ImportKeyMaterial"
// ImportKeyMaterialRequest generates a "aws/request.Request" representing the // ImportKeyMaterialRequest generates a "aws/request.Request" representing the
// client's request for the ImportKeyMaterial operation. The "output" return // client's request for the ImportKeyMaterial operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2348,7 +2348,7 @@ const opListAliases = "ListAliases"
// ListAliasesRequest generates a "aws/request.Request" representing the // ListAliasesRequest generates a "aws/request.Request" representing the
// client's request for the ListAliases operation. The "output" return // client's request for the ListAliases operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2499,7 +2499,7 @@ const opListGrants = "ListGrants"
// ListGrantsRequest generates a "aws/request.Request" representing the // ListGrantsRequest generates a "aws/request.Request" representing the
// client's request for the ListGrants operation. The "output" return // client's request for the ListGrants operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2661,7 +2661,7 @@ const opListKeyPolicies = "ListKeyPolicies"
// ListKeyPoliciesRequest generates a "aws/request.Request" representing the // ListKeyPoliciesRequest generates a "aws/request.Request" representing the
// client's request for the ListKeyPolicies operation. The "output" return // client's request for the ListKeyPolicies operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2819,7 +2819,7 @@ const opListKeys = "ListKeys"
// ListKeysRequest generates a "aws/request.Request" representing the // ListKeysRequest generates a "aws/request.Request" representing the
// client's request for the ListKeys operation. The "output" return // client's request for the ListKeys operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2964,7 +2964,7 @@ const opListResourceTags = "ListResourceTags"
// ListResourceTagsRequest generates a "aws/request.Request" representing the // ListResourceTagsRequest generates a "aws/request.Request" representing the
// client's request for the ListResourceTags operation. The "output" return // client's request for the ListResourceTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3057,7 +3057,7 @@ const opListRetirableGrants = "ListRetirableGrants"
// ListRetirableGrantsRequest generates a "aws/request.Request" representing the // ListRetirableGrantsRequest generates a "aws/request.Request" representing the
// client's request for the ListRetirableGrants operation. The "output" return // client's request for the ListRetirableGrants operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3156,7 +3156,7 @@ const opPutKeyPolicy = "PutKeyPolicy"
// PutKeyPolicyRequest generates a "aws/request.Request" representing the // PutKeyPolicyRequest generates a "aws/request.Request" representing the
// client's request for the PutKeyPolicy operation. The "output" return // client's request for the PutKeyPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3274,7 +3274,7 @@ const opReEncrypt = "ReEncrypt"
// ReEncryptRequest generates a "aws/request.Request" representing the // ReEncryptRequest generates a "aws/request.Request" representing the
// client's request for the ReEncrypt operation. The "output" return // client's request for the ReEncrypt operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3401,7 +3401,7 @@ const opRetireGrant = "RetireGrant"
// RetireGrantRequest generates a "aws/request.Request" representing the // RetireGrantRequest generates a "aws/request.Request" representing the
// client's request for the RetireGrant operation. The "output" return // client's request for the RetireGrant operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3523,7 +3523,7 @@ const opRevokeGrant = "RevokeGrant"
// RevokeGrantRequest generates a "aws/request.Request" representing the // RevokeGrantRequest generates a "aws/request.Request" representing the
// client's request for the RevokeGrant operation. The "output" return // client's request for the RevokeGrant operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3631,7 +3631,7 @@ const opScheduleKeyDeletion = "ScheduleKeyDeletion"
// ScheduleKeyDeletionRequest generates a "aws/request.Request" representing the // ScheduleKeyDeletionRequest generates a "aws/request.Request" representing the
// client's request for the ScheduleKeyDeletion operation. The "output" return // client's request for the ScheduleKeyDeletion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3747,7 +3747,7 @@ const opTagResource = "TagResource"
// TagResourceRequest generates a "aws/request.Request" representing the // TagResourceRequest generates a "aws/request.Request" representing the
// client's request for the TagResource operation. The "output" return // client's request for the TagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3866,7 +3866,7 @@ const opUntagResource = "UntagResource"
// UntagResourceRequest generates a "aws/request.Request" representing the // UntagResourceRequest generates a "aws/request.Request" representing the
// client's request for the UntagResource operation. The "output" return // client's request for the UntagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3971,7 +3971,7 @@ const opUpdateAlias = "UpdateAlias"
// UpdateAliasRequest generates a "aws/request.Request" representing the // UpdateAliasRequest generates a "aws/request.Request" representing the
// client's request for the UpdateAlias operation. The "output" return // client's request for the UpdateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -4088,7 +4088,7 @@ const opUpdateKeyDescription = "UpdateKeyDescription"
// UpdateKeyDescriptionRequest generates a "aws/request.Request" representing the // UpdateKeyDescriptionRequest generates a "aws/request.Request" representing the
// client's request for the UpdateKeyDescription operation. The "output" return // client's request for the UpdateKeyDescription operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.

View File

@ -17,7 +17,7 @@ const opAddPermission = "AddPermission"
// AddPermissionRequest generates a "aws/request.Request" representing the // AddPermissionRequest generates a "aws/request.Request" representing the
// client's request for the AddPermission operation. The "output" return // client's request for the AddPermission operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -64,7 +64,7 @@ func (c *Lambda) AddPermissionRequest(input *AddPermissionInput) (req *request.R
// you add to the resource policy allows an event source, permission to invoke // you add to the resource policy allows an event source, permission to invoke
// the Lambda function. // the Lambda function.
// //
// For information about the push model, see AWS Lambda: How it Works (http://docs.aws.amazon.com/lambda/latest/dg/lambda-introduction.html). // For information about the push model, see Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/lambda-introduction.html).
// //
// If you are using versioning, the permissions you add are specific to the // If you are using versioning, the permissions you add are specific to the
// Lambda function version or alias you specify in the AddPermission request // Lambda function version or alias you specify in the AddPermission request
@ -132,7 +132,7 @@ const opCreateAlias = "CreateAlias"
// CreateAliasRequest generates a "aws/request.Request" representing the // CreateAliasRequest generates a "aws/request.Request" representing the
// client's request for the CreateAlias operation. The "output" return // client's request for the CreateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -229,7 +229,7 @@ const opCreateEventSourceMapping = "CreateEventSourceMapping"
// CreateEventSourceMappingRequest generates a "aws/request.Request" representing the // CreateEventSourceMappingRequest generates a "aws/request.Request" representing the
// client's request for the CreateEventSourceMapping operation. The "output" return // client's request for the CreateEventSourceMapping operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -276,16 +276,11 @@ func (c *Lambda) CreateEventSourceMappingRequest(input *CreateEventSourceMapping
// This association between a stream source and a Lambda function is called // This association between a stream source and a Lambda function is called
// the event source mapping. // the event source mapping.
// //
// This event source mapping is relevant only in the AWS Lambda pull model,
// where AWS Lambda invokes the function. For more information, see AWS Lambda:
// How it Works (http://docs.aws.amazon.com/lambda/latest/dg/lambda-introduction.html)
// in the AWS Lambda Developer Guide.
//
// You provide mapping information (for example, which stream to read from and // You provide mapping information (for example, which stream to read from and
// which Lambda function to invoke) in the request body. // which Lambda function to invoke) in the request body.
// //
// Each event source, such as an Amazon Kinesis or a DynamoDB stream, can be // Each event source, such as an Amazon Kinesis or a DynamoDB stream, can be
// associated with multiple AWS Lambda function. A given Lambda function can // associated with multiple AWS Lambda functions. A given Lambda function can
// be associated with multiple AWS event sources. // be associated with multiple AWS event sources.
// //
// If you are using versioning, you can specify a specific function version // If you are using versioning, you can specify a specific function version
@ -346,7 +341,7 @@ const opCreateFunction = "CreateFunction"
// CreateFunctionRequest generates a "aws/request.Request" representing the // CreateFunctionRequest generates a "aws/request.Request" representing the
// client's request for the CreateFunction operation. The "output" return // client's request for the CreateFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -451,7 +446,7 @@ const opDeleteAlias = "DeleteAlias"
// DeleteAliasRequest generates a "aws/request.Request" representing the // DeleteAliasRequest generates a "aws/request.Request" representing the
// client's request for the DeleteAlias operation. The "output" return // client's request for the DeleteAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -542,7 +537,7 @@ const opDeleteEventSourceMapping = "DeleteEventSourceMapping"
// DeleteEventSourceMappingRequest generates a "aws/request.Request" representing the // DeleteEventSourceMappingRequest generates a "aws/request.Request" representing the
// client's request for the DeleteEventSourceMapping operation. The "output" return // client's request for the DeleteEventSourceMapping operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -636,7 +631,7 @@ const opDeleteFunction = "DeleteFunction"
// DeleteFunctionRequest generates a "aws/request.Request" representing the // DeleteFunctionRequest generates a "aws/request.Request" representing the
// client's request for the DeleteFunction operation. The "output" return // client's request for the DeleteFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -743,7 +738,7 @@ const opDeleteFunctionConcurrency = "DeleteFunctionConcurrency"
// DeleteFunctionConcurrencyRequest generates a "aws/request.Request" representing the // DeleteFunctionConcurrencyRequest generates a "aws/request.Request" representing the
// client's request for the DeleteFunctionConcurrency operation. The "output" return // client's request for the DeleteFunctionConcurrency operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -836,7 +831,7 @@ const opGetAccountSettings = "GetAccountSettings"
// GetAccountSettingsRequest generates a "aws/request.Request" representing the // GetAccountSettingsRequest generates a "aws/request.Request" representing the
// client's request for the GetAccountSettings operation. The "output" return // client's request for the GetAccountSettings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -923,7 +918,7 @@ const opGetAlias = "GetAlias"
// GetAliasRequest generates a "aws/request.Request" representing the // GetAliasRequest generates a "aws/request.Request" representing the
// client's request for the GetAlias operation. The "output" return // client's request for the GetAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1017,7 +1012,7 @@ const opGetEventSourceMapping = "GetEventSourceMapping"
// GetEventSourceMappingRequest generates a "aws/request.Request" representing the // GetEventSourceMappingRequest generates a "aws/request.Request" representing the
// client's request for the GetEventSourceMapping operation. The "output" return // client's request for the GetEventSourceMapping operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1110,7 +1105,7 @@ const opGetFunction = "GetFunction"
// GetFunctionRequest generates a "aws/request.Request" representing the // GetFunctionRequest generates a "aws/request.Request" representing the
// client's request for the GetFunction operation. The "output" return // client's request for the GetFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1212,7 +1207,7 @@ const opGetFunctionConfiguration = "GetFunctionConfiguration"
// GetFunctionConfigurationRequest generates a "aws/request.Request" representing the // GetFunctionConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the GetFunctionConfiguration operation. The "output" return // client's request for the GetFunctionConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1314,7 +1309,7 @@ const opGetPolicy = "GetPolicy"
// GetPolicyRequest generates a "aws/request.Request" representing the // GetPolicyRequest generates a "aws/request.Request" representing the
// client's request for the GetPolicy operation. The "output" return // client's request for the GetPolicy operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1411,7 +1406,7 @@ const opInvoke = "Invoke"
// InvokeRequest generates a "aws/request.Request" representing the // InvokeRequest generates a "aws/request.Request" representing the
// client's request for the Invoke operation. The "output" return // client's request for the Invoke operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1577,7 +1572,7 @@ const opInvokeAsync = "InvokeAsync"
// InvokeAsyncRequest generates a "aws/request.Request" representing the // InvokeAsyncRequest generates a "aws/request.Request" representing the
// client's request for the InvokeAsync operation. The "output" return // client's request for the InvokeAsync operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1675,7 +1670,7 @@ const opListAliases = "ListAliases"
// ListAliasesRequest generates a "aws/request.Request" representing the // ListAliasesRequest generates a "aws/request.Request" representing the
// client's request for the ListAliases operation. The "output" return // client's request for the ListAliases operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1770,7 +1765,7 @@ const opListEventSourceMappings = "ListEventSourceMappings"
// ListEventSourceMappingsRequest generates a "aws/request.Request" representing the // ListEventSourceMappingsRequest generates a "aws/request.Request" representing the
// client's request for the ListEventSourceMappings operation. The "output" return // client's request for the ListEventSourceMappings operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -1928,7 +1923,7 @@ const opListFunctions = "ListFunctions"
// ListFunctionsRequest generates a "aws/request.Request" representing the // ListFunctionsRequest generates a "aws/request.Request" representing the
// client's request for the ListFunctions operation. The "output" return // client's request for the ListFunctions operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2078,7 +2073,7 @@ const opListTags = "ListTags"
// ListTagsRequest generates a "aws/request.Request" representing the // ListTagsRequest generates a "aws/request.Request" representing the
// client's request for the ListTags operation. The "output" return // client's request for the ListTags operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2119,7 +2114,9 @@ func (c *Lambda) ListTagsRequest(input *ListTagsInput) (req *request.Request, ou
// ListTags API operation for AWS Lambda. // ListTags API operation for AWS Lambda.
// //
// Returns a list of tags assigned to a function when supplied the function // Returns a list of tags assigned to a function when supplied the function
// ARN (Amazon Resource Name). // ARN (Amazon Resource Name). For more information on Tagging, see Tagging
// Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
@ -2169,7 +2166,7 @@ const opListVersionsByFunction = "ListVersionsByFunction"
// ListVersionsByFunctionRequest generates a "aws/request.Request" representing the // ListVersionsByFunctionRequest generates a "aws/request.Request" representing the
// client's request for the ListVersionsByFunction operation. The "output" return // client's request for the ListVersionsByFunction operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2260,7 +2257,7 @@ const opPublishVersion = "PublishVersion"
// PublishVersionRequest generates a "aws/request.Request" representing the // PublishVersionRequest generates a "aws/request.Request" representing the
// client's request for the PublishVersion operation. The "output" return // client's request for the PublishVersion operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2362,7 +2359,7 @@ const opPutFunctionConcurrency = "PutFunctionConcurrency"
// PutFunctionConcurrencyRequest generates a "aws/request.Request" representing the // PutFunctionConcurrencyRequest generates a "aws/request.Request" representing the
// client's request for the PutFunctionConcurrency operation. The "output" return // client's request for the PutFunctionConcurrency operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2457,7 +2454,7 @@ const opRemovePermission = "RemovePermission"
// RemovePermissionRequest generates a "aws/request.Request" representing the // RemovePermissionRequest generates a "aws/request.Request" representing the
// client's request for the RemovePermission operation. The "output" return // client's request for the RemovePermission operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2566,7 +2563,7 @@ const opTagResource = "TagResource"
// TagResourceRequest generates a "aws/request.Request" representing the // TagResourceRequest generates a "aws/request.Request" representing the
// client's request for the TagResource operation. The "output" return // client's request for the TagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2611,6 +2608,8 @@ func (c *Lambda) TagResourceRequest(input *TagResourceInput) (req *request.Reque
// Creates a list of tags (key-value pairs) on the Lambda function. Requires // Creates a list of tags (key-value pairs) on the Lambda function. Requires
// the Lambda function ARN (Amazon Resource Name). If a key is specified without // the Lambda function ARN (Amazon Resource Name). If a key is specified without
// a value, Lambda creates a tag with the specified key and a value of null. // a value, Lambda creates a tag with the specified key and a value of null.
// For more information, see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
@ -2660,7 +2659,7 @@ const opUntagResource = "UntagResource"
// UntagResourceRequest generates a "aws/request.Request" representing the // UntagResourceRequest generates a "aws/request.Request" representing the
// client's request for the UntagResource operation. The "output" return // client's request for the UntagResource operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2703,7 +2702,8 @@ func (c *Lambda) UntagResourceRequest(input *UntagResourceInput) (req *request.R
// UntagResource API operation for AWS Lambda. // UntagResource API operation for AWS Lambda.
// //
// Removes tags from a Lambda function. Requires the function ARN (Amazon Resource // Removes tags from a Lambda function. Requires the function ARN (Amazon Resource
// Name). // Name). For more information, see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Returns awserr.Error for service API and SDK errors. Use runtime type assertions // Returns awserr.Error for service API and SDK errors. Use runtime type assertions
// with awserr.Error's Code and Message methods to get detailed information about // with awserr.Error's Code and Message methods to get detailed information about
@ -2753,7 +2753,7 @@ const opUpdateAlias = "UpdateAlias"
// UpdateAliasRequest generates a "aws/request.Request" representing the // UpdateAliasRequest generates a "aws/request.Request" representing the
// client's request for the UpdateAlias operation. The "output" return // client's request for the UpdateAlias operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2852,7 +2852,7 @@ const opUpdateEventSourceMapping = "UpdateEventSourceMapping"
// UpdateEventSourceMappingRequest generates a "aws/request.Request" representing the // UpdateEventSourceMappingRequest generates a "aws/request.Request" representing the
// client's request for the UpdateEventSourceMapping operation. The "output" return // client's request for the UpdateEventSourceMapping operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -2961,7 +2961,7 @@ const opUpdateFunctionCode = "UpdateFunctionCode"
// UpdateFunctionCodeRequest generates a "aws/request.Request" representing the // UpdateFunctionCodeRequest generates a "aws/request.Request" representing the
// client's request for the UpdateFunctionCode operation. The "output" return // client's request for the UpdateFunctionCode operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3067,7 +3067,7 @@ const opUpdateFunctionConfiguration = "UpdateFunctionConfiguration"
// UpdateFunctionConfigurationRequest generates a "aws/request.Request" representing the // UpdateFunctionConfigurationRequest generates a "aws/request.Request" representing the
// client's request for the UpdateFunctionConfiguration operation. The "output" return // client's request for the UpdateFunctionConfiguration operation. The "output" return
// value will be populated with the request's response once the request complets // value will be populated with the request's response once the request completes
// successfuly. // successfuly.
// //
// Use "Send" method on the returned Request to send the API call to the service. // Use "Send" method on the returned Request to send the API call to the service.
@ -3719,9 +3719,11 @@ type CreateEventSourceMappingInput struct {
// FunctionName is a required field // FunctionName is a required field
FunctionName *string `min:"1" type:"string" required:"true"` FunctionName *string `min:"1" type:"string" required:"true"`
// The position in the stream where AWS Lambda should start reading. Valid only // The position in the DynamoDB or Kinesis stream where AWS Lambda should start
// for Kinesis streams. For more information, see ShardIteratorType (http://docs.aws.amazon.com/kinesis/latest/APIReference/API_GetShardIterator.html#Kinesis-GetShardIterator-request-ShardIteratorType) // reading. For more information, see GetShardIterator (http://docs.aws.amazon.com/kinesis/latest/APIReference/API_GetShardIterator.html#Kinesis-GetShardIterator-request-ShardIteratorType)
// in the Amazon Kinesis API Reference. // in the Amazon Kinesis API Reference Guide or GetShardIterator (http://docs.aws.amazon.com/amazondynamodb/latest/APIReference/API_streams_GetShardIterator.html)
// in the Amazon DynamoDB API Reference Guide. The AT_TIMESTAMP value is supported
// only for Kinesis streams (http://docs.aws.amazon.com/streams/latest/dev/amazon-kinesis-streams.html).
// //
// StartingPosition is a required field // StartingPosition is a required field
StartingPosition *string `type:"string" required:"true" enum:"EventSourcePosition"` StartingPosition *string `type:"string" required:"true" enum:"EventSourcePosition"`
@ -3731,7 +3733,7 @@ type CreateEventSourceMappingInput struct {
// AT_TIMESTAMP. If a record with this exact timestamp does not exist, the iterator // AT_TIMESTAMP. If a record with this exact timestamp does not exist, the iterator
// returned is for the next (later) record. If the timestamp is older than the // returned is for the next (later) record. If the timestamp is older than the
// current trim horizon, the iterator returned is for the oldest untrimmed data // current trim horizon, the iterator returned is for the oldest untrimmed data
// record (TRIM_HORIZON). Valid only for Kinesis streams. // record (TRIM_HORIZON). Valid only for Kinesis streams (http://docs.aws.amazon.com/streams/latest/dev/amazon-kinesis-streams.html).
StartingPositionTimestamp *time.Time `type:"timestamp" timestampFormat:"unix"` StartingPositionTimestamp *time.Time `type:"timestamp" timestampFormat:"unix"`
} }
@ -3815,7 +3817,7 @@ type CreateFunctionInput struct {
Code *FunctionCode `type:"structure" required:"true"` Code *FunctionCode `type:"structure" required:"true"`
// The parent object that contains the target ARN (Amazon Resource Name) of // The parent object that contains the target ARN (Amazon Resource Name) of
// an Amazon SQS queue or Amazon SNS topic. // an Amazon SQS queue or Amazon SNS topic. For more information, see dlq.
DeadLetterConfig *DeadLetterConfig `type:"structure"` DeadLetterConfig *DeadLetterConfig `type:"structure"`
// A short, user-defined function description. Lambda does not use this value. // A short, user-defined function description. Lambda does not use this value.
@ -3871,7 +3873,8 @@ type CreateFunctionInput struct {
// To use the Python runtime v3.6, set the value to "python3.6". To use the // To use the Python runtime v3.6, set the value to "python3.6". To use the
// Python runtime v2.7, set the value to "python2.7". To use the Node.js runtime // Python runtime v2.7, set the value to "python2.7". To use the Node.js runtime
// v6.10, set the value to "nodejs6.10". To use the Node.js runtime v4.3, set // v6.10, set the value to "nodejs6.10". To use the Node.js runtime v4.3, set
// the value to "nodejs4.3". // the value to "nodejs4.3". To use the .NET Core runtime v1.0, set the value
// to "dotnetcore1.0". To use the .NET Core runtime v2.0, set the value to "dotnetcore2.0".
// //
// Node v0.10.42 is currently marked as deprecated. You must migrate existing // Node v0.10.42 is currently marked as deprecated. You must migrate existing
// functions to the newer Node.js runtime versions available on AWS Lambda (nodejs4.3 // functions to the newer Node.js runtime versions available on AWS Lambda (nodejs4.3
@ -3882,7 +3885,9 @@ type CreateFunctionInput struct {
// Runtime is a required field // Runtime is a required field
Runtime *string `type:"string" required:"true" enum:"Runtime"` Runtime *string `type:"string" required:"true" enum:"Runtime"`
// The list of tags (key-value pairs) assigned to the new function. // The list of tags (key-value pairs) assigned to the new function. For more
// information, see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
Tags map[string]*string `type:"map"` Tags map[string]*string `type:"map"`
// The function execution time at which Lambda should terminate the function. // The function execution time at which Lambda should terminate the function.
@ -4039,13 +4044,14 @@ func (s *CreateFunctionInput) SetVpcConfig(v *VpcConfig) *CreateFunctionInput {
return s return s
} }
// The parent object that contains the target ARN (Amazon Resource Name) of // The Amazon Resource Name (ARN) of an Amazon SQS queue or Amazon SNS topic
// an Amazon SQS queue or Amazon SNS topic. // you specify as your Dead Letter Queue (DLQ). For more information, see dlq.
type DeadLetterConfig struct { type DeadLetterConfig struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The Amazon Resource Name (ARN) of an Amazon SQS queue or Amazon SNS topic // The Amazon Resource Name (ARN) of an Amazon SQS queue or Amazon SNS topic
// you specify as your Dead Letter Queue (DLQ). // you specify as your Dead Letter Queue (DLQ). dlq. For more information, see
// dlq.
TargetArn *string `type:"string"` TargetArn *string `type:"string"`
} }
@ -4632,7 +4638,7 @@ type FunctionConfiguration struct {
CodeSize *int64 `type:"long"` CodeSize *int64 `type:"long"`
// The parent object that contains the target ARN (Amazon Resource Name) of // The parent object that contains the target ARN (Amazon Resource Name) of
// an Amazon SQS queue or Amazon SNS topic. // an Amazon SQS queue or Amazon SNS topic. For more information, see dlq.
DeadLetterConfig *DeadLetterConfig `type:"structure"` DeadLetterConfig *DeadLetterConfig `type:"structure"`
// The user-provided description. // The user-provided description.
@ -5113,7 +5119,9 @@ type GetFunctionOutput struct {
// A complex type that describes function metadata. // A complex type that describes function metadata.
Configuration *FunctionConfiguration `type:"structure"` Configuration *FunctionConfiguration `type:"structure"`
// Returns the list of tags associated with the function. // Returns the list of tags associated with the function. For more information,
// see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
Tags map[string]*string `type:"map"` Tags map[string]*string `type:"map"`
} }
@ -5865,7 +5873,9 @@ func (s *ListFunctionsOutput) SetNextMarker(v string) *ListFunctionsOutput {
type ListTagsInput struct { type ListTagsInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The ARN (Amazon Resource Name) of the function. // The ARN (Amazon Resource Name) of the function. For more information, see
// Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Resource is a required field // Resource is a required field
Resource *string `location:"uri" locationName:"ARN" type:"string" required:"true"` Resource *string `location:"uri" locationName:"ARN" type:"string" required:"true"`
@ -5903,7 +5913,9 @@ func (s *ListTagsInput) SetResource(v string) *ListTagsInput {
type ListTagsOutput struct { type ListTagsOutput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The list of tags assigned to the function. // The list of tags assigned to the function. For more information, see Tagging
// Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
Tags map[string]*string `type:"map"` Tags map[string]*string `type:"map"`
} }
@ -6296,12 +6308,16 @@ func (s RemovePermissionOutput) GoString() string {
type TagResourceInput struct { type TagResourceInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The ARN (Amazon Resource Name) of the Lambda function. // The ARN (Amazon Resource Name) of the Lambda function. For more information,
// see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Resource is a required field // Resource is a required field
Resource *string `location:"uri" locationName:"ARN" type:"string" required:"true"` Resource *string `location:"uri" locationName:"ARN" type:"string" required:"true"`
// The list of tags (key-value pairs) you are assigning to the Lambda function. // The list of tags (key-value pairs) you are assigning to the Lambda function.
// For more information, see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Tags is a required field // Tags is a required field
Tags map[string]*string `type:"map" required:"true"` Tags map[string]*string `type:"map" required:"true"`
@ -6414,12 +6430,16 @@ func (s *TracingConfigResponse) SetMode(v string) *TracingConfigResponse {
type UntagResourceInput struct { type UntagResourceInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The ARN (Amazon Resource Name) of the function. // The ARN (Amazon Resource Name) of the function. For more information, see
// Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// Resource is a required field // Resource is a required field
Resource *string `location:"uri" locationName:"ARN" type:"string" required:"true"` Resource *string `location:"uri" locationName:"ARN" type:"string" required:"true"`
// The list of tag keys to be deleted from the function. // The list of tag keys to be deleted from the function. For more information,
// see Tagging Lambda Functions (http://docs.aws.amazon.com/lambda/latest/dg/tagging.html)
// in the AWS Lambda Developer Guide.
// //
// TagKeys is a required field // TagKeys is a required field
TagKeys []*string `location:"querystring" locationName:"tagKeys" type:"list" required:"true"` TagKeys []*string `location:"querystring" locationName:"tagKeys" type:"list" required:"true"`
@ -6718,8 +6738,7 @@ type UpdateFunctionCodeInput struct {
// are using the web API directly, the contents of the zip file must be base64-encoded. // are using the web API directly, the contents of the zip file must be base64-encoded.
// If you are using the AWS SDKs or the AWS CLI, the SDKs or CLI will do the // If you are using the AWS SDKs or the AWS CLI, the SDKs or CLI will do the
// encoding for you. For more information about creating a .zip file, see Execution // encoding for you. For more information about creating a .zip file, see Execution
// Permissions (http://docs.aws.amazon.com/lambda/latest/dg/intro-permission-model.html#lambda-intro-execution-role.html) // Permissions (http://docs.aws.amazon.com/lambda/latest/dg/intro-permission-model.html#lambda-intro-execution-role.html).
// in the AWS Lambda Developer Guide.
// //
// ZipFile is automatically base64 encoded/decoded by the SDK. // ZipFile is automatically base64 encoded/decoded by the SDK.
ZipFile []byte `type:"blob"` ZipFile []byte `type:"blob"`
@ -6812,7 +6831,7 @@ type UpdateFunctionConfigurationInput struct {
_ struct{} `type:"structure"` _ struct{} `type:"structure"`
// The parent object that contains the target ARN (Amazon Resource Name) of // The parent object that contains the target ARN (Amazon Resource Name) of
// an Amazon SQS queue or Amazon SNS topic. // an Amazon SQS queue or Amazon SNS topic. For more information, see dlq.
DeadLetterConfig *DeadLetterConfig `type:"structure"` DeadLetterConfig *DeadLetterConfig `type:"structure"`
// A short user-defined function description. AWS Lambda does not use this value. // A short user-defined function description. AWS Lambda does not use this value.
@ -6866,8 +6885,8 @@ type UpdateFunctionConfigurationInput struct {
// To use the Python runtime v3.6, set the value to "python3.6". To use the // To use the Python runtime v3.6, set the value to "python3.6". To use the
// Python runtime v2.7, set the value to "python2.7". To use the Node.js runtime // Python runtime v2.7, set the value to "python2.7". To use the Node.js runtime
// v6.10, set the value to "nodejs6.10". To use the Node.js runtime v4.3, set // v6.10, set the value to "nodejs6.10". To use the Node.js runtime v4.3, set
// the value to "nodejs4.3". To use the Python runtime v3.6, set the value to // the value to "nodejs4.3". To use the .NET Core runtime v1.0, set the value
// "python3.6". // to "dotnetcore1.0". To use the .NET Core runtime v2.0, set the value to "dotnetcore2.0".
// //
// Node v0.10.42 is currently marked as deprecated. You must migrate existing // Node v0.10.42 is currently marked as deprecated. You must migrate existing
// functions to the newer Node.js runtime versions available on AWS Lambda (nodejs4.3 // functions to the newer Node.js runtime versions available on AWS Lambda (nodejs4.3
@ -7124,6 +7143,9 @@ const (
// RuntimeNodejs610 is a Runtime enum value // RuntimeNodejs610 is a Runtime enum value
RuntimeNodejs610 = "nodejs6.10" RuntimeNodejs610 = "nodejs6.10"
// RuntimeNodejs810 is a Runtime enum value
RuntimeNodejs810 = "nodejs8.10"
// RuntimeJava8 is a Runtime enum value // RuntimeJava8 is a Runtime enum value
RuntimeJava8 = "java8" RuntimeJava8 = "java8"

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,30 @@
// Code generated by private/model/cli/gen-api/main.go. DO NOT EDIT.
// Package lexmodelbuildingservice provides the client and types for making API
// requests to Amazon Lex Model Building Service.
//
// Amazon Lex is an AWS service for building conversational voice and text interfaces.
// Use these actions to create, update, and delete conversational bots for new
// and existing client applications.
//
// See https://docs.aws.amazon.com/goto/WebAPI/lex-models-2017-04-19 for more information on this service.
//
// See lexmodelbuildingservice package documentation for more information.
// https://docs.aws.amazon.com/sdk-for-go/api/service/lexmodelbuildingservice/
//
// Using the Client
//
// To contact Amazon Lex Model Building Service with the SDK use the New function to create
// a new service client. With that client you can make API requests to the service.
// These clients are safe to use concurrently.
//
// See the SDK's documentation for more information on how to use the SDK.
// https://docs.aws.amazon.com/sdk-for-go/api/
//
// See aws.Config documentation for more information on configuring SDK clients.
// https://docs.aws.amazon.com/sdk-for-go/api/aws/#Config
//
// See the Amazon Lex Model Building Service client LexModelBuildingService for more
// information on creating client for this service.
// https://docs.aws.amazon.com/sdk-for-go/api/service/lexmodelbuildingservice/#New
package lexmodelbuildingservice

Some files were not shown because too many files have changed in this diff Show More