-
-
Notifications
You must be signed in to change notification settings - Fork 356
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
feat: add kinesis stream support #304
Merged
denis256
merged 2 commits into
gruntwork-io:master
from
strongishllama:feat-add-kinesis-stream-support
Jul 21, 2022
+310
−15
Merged
Changes from all commits
Commits
Show all changes
2 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,122 @@ | ||
package aws | ||
|
||
import ( | ||
"sync" | ||
|
||
"github.com/aws/aws-sdk-go/aws" | ||
"github.com/aws/aws-sdk-go/aws/awserr" | ||
"github.com/aws/aws-sdk-go/aws/session" | ||
"github.com/aws/aws-sdk-go/service/kinesis" | ||
"github.com/gruntwork-io/cloud-nuke/config" | ||
"github.com/gruntwork-io/cloud-nuke/logging" | ||
"github.com/gruntwork-io/go-commons/errors" | ||
"github.com/hashicorp/go-multierror" | ||
) | ||
|
||
func getAllKinesisStreams(session *session.Session, configObj config.Config) ([]*string, error) { | ||
svc := kinesis.New(session) | ||
|
||
allStreams := []*string{} | ||
err := svc.ListStreamsPages( | ||
&kinesis.ListStreamsInput{}, | ||
func(page *kinesis.ListStreamsOutput, lastPage bool) bool { | ||
for _, streamName := range page.StreamNames { | ||
if shouldIncludeKinesisStream(streamName, configObj) { | ||
allStreams = append(allStreams, streamName) | ||
} | ||
} | ||
return !lastPage | ||
}, | ||
) | ||
if err != nil { | ||
return nil, errors.WithStackTrace(err) | ||
} | ||
return allStreams, nil | ||
} | ||
|
||
func shouldIncludeKinesisStream(streamName *string, configObj config.Config) bool { | ||
if streamName == nil { | ||
return false | ||
} | ||
|
||
return config.ShouldInclude( | ||
aws.StringValue(streamName), | ||
configObj.KinesisStream.IncludeRule.NamesRegExp, | ||
configObj.KinesisStream.ExcludeRule.NamesRegExp, | ||
) | ||
} | ||
|
||
func nukeAllKinesisStreams(session *session.Session, identifiers []*string) error { | ||
region := aws.StringValue(session.Config.Region) | ||
svc := kinesis.New(session) | ||
|
||
if len(identifiers) == 0 { | ||
logging.Logger.Infof("No Kinesis Streams to nuke in region: %s", region) | ||
} | ||
|
||
// NOTE: we don't need to do pagination here, because the pagination is handled by the caller to this function, | ||
// based on KinesisStream.MaxBatchSize, however we add a guard here to warn users when the batching fails and | ||
// has a chance of throttling AWS. Since we concurrently make one call for each identifier, we pick 100 for the | ||
// limit here because many APIs in AWS have a limit of 100 requests per second. | ||
if len(identifiers) > 100 { | ||
logging.Logger.Errorf("Nuking too many Kinesis Streams at once (100): halting to avoid hitting AWS API rate limiting") | ||
return TooManyStreamsErr{} | ||
} | ||
|
||
// There is no bulk delete Kinesis Stream API, so we delete the batch of Kinesis Streams concurrently | ||
// using go routines. | ||
logging.Logger.Infof("Deleting Kinesis Streams in region: %s", region) | ||
wg := new(sync.WaitGroup) | ||
wg.Add(len(identifiers)) | ||
errChans := make([]chan error, len(identifiers)) | ||
for i, streamName := range identifiers { | ||
errChans[i] = make(chan error, 1) | ||
go deleteKinesisStreamAsync(wg, errChans[i], svc, streamName, region) | ||
} | ||
wg.Wait() | ||
|
||
// Collect all the errors from the async delete calls into a single error struct. | ||
// NOTE: We ignore OperationAbortedException which is thrown when there is an eventual consistency issue, where | ||
// cloud-nuke picks up a Stream that is already requested to be deleted. | ||
var allErrs *multierror.Error | ||
for _, errChan := range errChans { | ||
if err := <-errChan; err != nil { | ||
if awsErr, ok := err.(awserr.Error); ok && awsErr.Code() != "OperationAbortedException" { | ||
allErrs = multierror.Append(allErrs, err) | ||
} | ||
} | ||
} | ||
finalErr := allErrs.ErrorOrNil() | ||
if finalErr != nil { | ||
return errors.WithStackTrace(finalErr) | ||
} | ||
return nil | ||
} | ||
|
||
func deleteKinesisStreamAsync( | ||
wg *sync.WaitGroup, | ||
errChan chan error, | ||
svc *kinesis.Kinesis, | ||
streamName *string, | ||
region string, | ||
) { | ||
defer wg.Done() | ||
input := &kinesis.DeleteStreamInput{StreamName: streamName} | ||
_, err := svc.DeleteStream(input) | ||
errChan <- err | ||
|
||
streamNameStr := aws.StringValue(streamName) | ||
if err == nil { | ||
logging.Logger.Infof("[OK] Kinesis Stream %s delete in %s", streamNameStr, region) | ||
} else { | ||
logging.Logger.Errorf("[Failed] Error deleting Kinesis Stream %s in %s: %s", streamNameStr, region, err) | ||
} | ||
} | ||
|
||
// Custom errors | ||
|
||
type TooManyStreamsErr struct{} | ||
|
||
func (err TooManyStreamsErr) Error() string { | ||
return "Too many Streams requested at once." | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,126 @@ | ||
package aws | ||
|
||
import ( | ||
"fmt" | ||
"strings" | ||
"testing" | ||
"time" | ||
|
||
"github.com/aws/aws-sdk-go/aws" | ||
"github.com/aws/aws-sdk-go/aws/awserr" | ||
"github.com/aws/aws-sdk-go/aws/session" | ||
"github.com/aws/aws-sdk-go/service/kinesis" | ||
"github.com/gruntwork-io/cloud-nuke/config" | ||
"github.com/gruntwork-io/cloud-nuke/util" | ||
"github.com/stretchr/testify/assert" | ||
"github.com/stretchr/testify/require" | ||
) | ||
|
||
func TestListKinesisStreams(t *testing.T) { | ||
t.Parallel() | ||
|
||
region, err := getRandomRegion() | ||
require.NoError(t, err) | ||
|
||
session, err := session.NewSession(&aws.Config{Region: aws.String(region)}) | ||
require.NoError(t, err) | ||
svc := kinesis.New(session) | ||
|
||
sName := createKinesisStream(t, svc) | ||
defer deleteKinesisStream(t, svc, sName, true) | ||
|
||
sNames, err := getAllKinesisStreams(session, config.Config{}) | ||
require.NoError(t, err) | ||
assert.Contains(t, aws.StringValueSlice(sNames), aws.StringValue(sName)) | ||
} | ||
|
||
func TestNukeKinesisStreamOne(t *testing.T) { | ||
t.Parallel() | ||
|
||
region, err := getRandomRegion() | ||
require.NoError(t, err) | ||
|
||
session, err := session.NewSession(&aws.Config{Region: aws.String(region)}) | ||
require.NoError(t, err) | ||
svc := kinesis.New(session) | ||
|
||
// We ignore errors in the delete call here, because it is intended to be a stop gap in case there is a bug in nuke. | ||
sName := createKinesisStream(t, svc) | ||
defer deleteKinesisStream(t, svc, sName, true) | ||
identifiers := []*string{sName} | ||
|
||
require.NoError( | ||
t, | ||
nukeAllKinesisStreams(session, identifiers), | ||
) | ||
|
||
assertKinesisStreamsDeleted(t, svc, identifiers) | ||
} | ||
|
||
func TestNukeKinesisStreamMoreThanOne(t *testing.T) { | ||
t.Parallel() | ||
|
||
region, err := getRandomRegion() | ||
require.NoError(t, err) | ||
|
||
session, err := session.NewSession(&aws.Config{Region: aws.String(region)}) | ||
require.NoError(t, err) | ||
svc := kinesis.New(session) | ||
|
||
sNames := []*string{} | ||
for i := 0; i < 3; i++ { | ||
// We ignore errors in the delete call here, because it is intended to be a stop gap in case there is a bug in nuke. | ||
sName := createKinesisStream(t, svc) | ||
defer deleteKinesisStream(t, svc, sName, true) | ||
sNames = append(sNames, sName) | ||
} | ||
|
||
require.NoError( | ||
t, | ||
nukeAllKinesisStreams(session, sNames), | ||
) | ||
|
||
assertKinesisStreamsDeleted(t, svc, sNames) | ||
} | ||
|
||
func createKinesisStream(t *testing.T, svc *kinesis.Kinesis) *string { | ||
uniqueID := util.UniqueID() | ||
name := fmt.Sprintf("cloud-nuke-test-%s", strings.ToLower(uniqueID)) | ||
|
||
_, err := svc.CreateStream(&kinesis.CreateStreamInput{ | ||
ShardCount: aws.Int64(1), | ||
StreamName: aws.String(name), | ||
}) | ||
require.NoError(t, err) | ||
|
||
// Add an arbitrary sleep to account for eventual consistency | ||
time.Sleep(15 * time.Second) | ||
return &name | ||
} | ||
|
||
func deleteKinesisStream(t *testing.T, svc *kinesis.Kinesis, name *string, checkErr bool) { | ||
_, err := svc.DeleteStream(&kinesis.DeleteStreamInput{ | ||
StreamName: name, | ||
}) | ||
if checkErr { | ||
require.NoError(t, err) | ||
} | ||
} | ||
|
||
func assertKinesisStreamsDeleted(t *testing.T, svc *kinesis.Kinesis, identifiers []*string) { | ||
for _, name := range identifiers { | ||
stream, err := svc.DescribeStream(&kinesis.DescribeStreamInput{ | ||
StreamName: name, | ||
}) | ||
|
||
// There is an error returned, assert it's because the Stream cannot be found because it's | ||
// been deleted. Otherwise assert that the stream status is DELETING. | ||
if err != nil { | ||
if awsErr, ok := err.(awserr.Error); ok && awsErr.Code() != "ResourceNotFoundException" { | ||
t.Fatalf("Stream %s is not deleted", aws.StringValue(name)) | ||
} | ||
} else { | ||
require.Equal(t, "DELETING", *stream.StreamDescription.StreamStatus) | ||
} | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,38 @@ | ||
package aws | ||
|
||
import ( | ||
"github.com/aws/aws-sdk-go/aws" | ||
"github.com/aws/aws-sdk-go/aws/session" | ||
"github.com/gruntwork-io/go-commons/errors" | ||
) | ||
|
||
// KinesisStreams - represents all Kinesis streams | ||
type KinesisStreams struct { | ||
Names []string | ||
} | ||
|
||
// ResourceName - The simple name of the AWS resource | ||
func (k KinesisStreams) ResourceName() string { | ||
return "kinesis-stream" | ||
} | ||
|
||
// ResourceIdentifiers - The names of the Kinesis Streams | ||
func (k KinesisStreams) ResourceIdentifiers() []string { | ||
return k.Names | ||
} | ||
|
||
func (k KinesisStreams) MaxBatchSize() int { | ||
// Tentative batch size to ensure AWS doesn't throttle. Note that Kinesis Streams does not support bulk delete, so | ||
// we will be deleting this many in parallel using go routines. We pick 35 here, which is half of what the AWS web | ||
// console will do. We pick a conservative number here to avoid hitting AWS API rate limits. | ||
return 35 | ||
} | ||
|
||
// Nuke - nuke 'em all!!! | ||
func (k KinesisStreams) Nuke(session *session.Session, identifiers []string) error { | ||
if err := nukeAllKinesisStreams(session, aws.StringSlice(identifiers)); err != nil { | ||
return errors.WithStackTrace(err) | ||
} | ||
|
||
return nil | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Function
assertKinesisStreamsDeleted
is not invoked in any other placeThere was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ah, good catch! Added the missing calls 👍