286 lines
6.7 KiB
Go
286 lines
6.7 KiB
Go
package consumer
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"io/ioutil"
|
|
"log"
|
|
"sync"
|
|
|
|
"github.com/aws/aws-sdk-go/aws"
|
|
"github.com/aws/aws-sdk-go/aws/session"
|
|
"github.com/aws/aws-sdk-go/service/kinesis"
|
|
"github.com/aws/aws-sdk-go/service/kinesis/kinesisiface"
|
|
)
|
|
|
|
// Record is an alias of record returned from kinesis library
|
|
type Record = kinesis.Record
|
|
|
|
// Option is used to override defaults when creating a new Consumer
|
|
type Option func(*Consumer)
|
|
|
|
// WithCheckpoint overrides the default checkpoint
|
|
func WithCheckpoint(checkpoint Checkpoint) Option {
|
|
return func(c *Consumer) {
|
|
c.checkpoint = checkpoint
|
|
}
|
|
}
|
|
|
|
// WithLogger overrides the default logger
|
|
func WithLogger(logger Logger) Option {
|
|
return func(c *Consumer) {
|
|
c.logger = logger
|
|
}
|
|
}
|
|
|
|
// WithCounter overrides the default counter
|
|
func WithCounter(counter Counter) Option {
|
|
return func(c *Consumer) {
|
|
c.counter = counter
|
|
}
|
|
}
|
|
|
|
// WithClient overrides the default client
|
|
func WithClient(client kinesisiface.KinesisAPI) Option {
|
|
return func(c *Consumer) {
|
|
c.client = client
|
|
}
|
|
}
|
|
|
|
// ShardIteratorType overrides the starting point for the consumer
|
|
func WithShardIteratorType(t string) Option {
|
|
return func(c *Consumer) {
|
|
c.initialShardIteratorType = t
|
|
}
|
|
}
|
|
|
|
// ScanStatus signals the consumer if we should continue scanning for next record
|
|
// and whether to checkpoint.
|
|
type ScanStatus struct {
|
|
Error error
|
|
StopScan bool
|
|
SkipCheckpoint bool
|
|
}
|
|
|
|
// New creates a kinesis consumer with default settings. Use Option to override
|
|
// any of the optional attributes.
|
|
func New(streamName string, opts ...Option) (*Consumer, error) {
|
|
if streamName == "" {
|
|
return nil, fmt.Errorf("must provide stream name")
|
|
}
|
|
|
|
// new consumer with no-op checkpoint, counter, and logger
|
|
c := &Consumer{
|
|
streamName: streamName,
|
|
initialShardIteratorType: kinesis.ShardIteratorTypeTrimHorizon,
|
|
checkpoint: &noopCheckpoint{},
|
|
counter: &noopCounter{},
|
|
logger: &noopLogger{
|
|
logger: log.New(ioutil.Discard, "", log.LstdFlags),
|
|
},
|
|
}
|
|
|
|
// override defaults
|
|
for _, opt := range opts {
|
|
opt(c)
|
|
}
|
|
|
|
// default client if none provided
|
|
if c.client == nil {
|
|
newSession, err := session.NewSession(aws.NewConfig())
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
c.client = kinesis.New(newSession)
|
|
}
|
|
|
|
return c, nil
|
|
}
|
|
|
|
// Consumer wraps the interaction with the Kinesis stream
|
|
type Consumer struct {
|
|
streamName string
|
|
initialShardIteratorType string
|
|
client kinesisiface.KinesisAPI
|
|
logger Logger
|
|
checkpoint Checkpoint
|
|
counter Counter
|
|
}
|
|
|
|
// Scan scans each of the shards of the stream, calls the callback
|
|
// func with each of the kinesis records.
|
|
func (c *Consumer) Scan(ctx context.Context, fn func(*Record) ScanStatus) error {
|
|
ctx, cancel := context.WithCancel(ctx)
|
|
defer cancel()
|
|
|
|
// get shard ids
|
|
shardIDs, err := c.getShardIDs(c.streamName)
|
|
if err != nil {
|
|
return fmt.Errorf("get shards error: %v", err)
|
|
}
|
|
|
|
if len(shardIDs) == 0 {
|
|
return fmt.Errorf("no shards available")
|
|
}
|
|
|
|
var (
|
|
wg sync.WaitGroup
|
|
errc = make(chan error, 1)
|
|
)
|
|
wg.Add(len(shardIDs))
|
|
|
|
// process each shard in a separate goroutine
|
|
for _, shardID := range shardIDs {
|
|
go func(shardID string) {
|
|
defer wg.Done()
|
|
|
|
if err := c.ScanShard(ctx, shardID, fn); err != nil {
|
|
cancel()
|
|
|
|
select {
|
|
case errc <- fmt.Errorf("shard %s error: %v", shardID, err):
|
|
// first error to occur
|
|
default:
|
|
// error has already occured
|
|
}
|
|
}
|
|
}(shardID)
|
|
}
|
|
|
|
wg.Wait()
|
|
close(errc)
|
|
|
|
return <-errc
|
|
}
|
|
|
|
// ScanShard loops over records on a specific shard, calls the callback func
|
|
// for each record and checkpoints the progress of scan.
|
|
func (c *Consumer) ScanShard(
|
|
ctx context.Context,
|
|
shardID string,
|
|
fn func(*Record) ScanStatus,
|
|
) error {
|
|
// get checkpoint
|
|
lastSeqNum, err := c.checkpoint.Get(c.streamName, shardID)
|
|
if err != nil {
|
|
return fmt.Errorf("get checkpoint error: %v", err)
|
|
}
|
|
|
|
// get shard iterator
|
|
shardIterator, err := c.getShardIterator(c.streamName, shardID, lastSeqNum)
|
|
if err != nil {
|
|
return fmt.Errorf("get shard iterator error: %v", err)
|
|
}
|
|
|
|
c.logger.Log("scanning", shardID, lastSeqNum)
|
|
|
|
return c.scanPagesOfShard(ctx, shardID, lastSeqNum, shardIterator, fn)
|
|
}
|
|
|
|
func (c *Consumer) scanPagesOfShard(ctx context.Context, shardID, lastSeqNum string, shardIterator *string, fn func(*Record) ScanStatus) error {
|
|
for {
|
|
select {
|
|
case <-ctx.Done():
|
|
return nil
|
|
default:
|
|
resp, err := c.client.GetRecords(&kinesis.GetRecordsInput{
|
|
ShardIterator: shardIterator,
|
|
})
|
|
|
|
if err != nil {
|
|
shardIterator, err = c.getShardIterator(c.streamName, shardID, lastSeqNum)
|
|
if err != nil {
|
|
return fmt.Errorf("get shard iterator error: %v", err)
|
|
}
|
|
continue
|
|
}
|
|
|
|
// loop records of page
|
|
for _, r := range resp.Records {
|
|
isScanStopped, err := c.handleRecord(shardID, r, fn)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if isScanStopped {
|
|
return nil
|
|
}
|
|
lastSeqNum = *r.SequenceNumber
|
|
}
|
|
|
|
if isShardClosed(resp.NextShardIterator, shardIterator) {
|
|
return nil
|
|
}
|
|
shardIterator = resp.NextShardIterator
|
|
}
|
|
}
|
|
}
|
|
|
|
func isShardClosed(nextShardIterator, currentShardIterator *string) bool {
|
|
return nextShardIterator == nil || currentShardIterator == nextShardIterator
|
|
}
|
|
|
|
func (c *Consumer) handleRecord(shardID string, r *Record, fn func(*Record) ScanStatus) (isScanStopped bool, err error) {
|
|
status := fn(r)
|
|
|
|
if !status.SkipCheckpoint {
|
|
if err := c.checkpoint.Set(c.streamName, shardID, *r.SequenceNumber); err != nil {
|
|
return false, err
|
|
}
|
|
}
|
|
|
|
if err := status.Error; err != nil {
|
|
return false, err
|
|
}
|
|
|
|
c.counter.Add("records", 1)
|
|
|
|
if status.StopScan {
|
|
return true, nil
|
|
}
|
|
return false, nil
|
|
}
|
|
|
|
func (c *Consumer) getShardIDs(streamName string) ([]string, error) {
|
|
var ss []string
|
|
var listShardsInput = &kinesis.ListShardsInput{
|
|
StreamName: aws.String(streamName),
|
|
}
|
|
for {
|
|
resp, err := c.client.ListShards(listShardsInput)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("ListShards error: %v", err)
|
|
}
|
|
|
|
for _, shard := range resp.Shards {
|
|
ss = append(ss, *shard.ShardId)
|
|
}
|
|
|
|
if resp.NextToken == nil {
|
|
return ss, nil
|
|
}
|
|
|
|
listShardsInput = &kinesis.ListShardsInput{
|
|
NextToken: resp.NextToken,
|
|
}
|
|
}
|
|
}
|
|
|
|
func (c *Consumer) getShardIterator(streamName, shardID, lastSeqNum string) (*string, error) {
|
|
params := &kinesis.GetShardIteratorInput{
|
|
ShardId: aws.String(shardID),
|
|
StreamName: aws.String(streamName),
|
|
}
|
|
|
|
if lastSeqNum != "" {
|
|
params.ShardIteratorType = aws.String(kinesis.ShardIteratorTypeAfterSequenceNumber)
|
|
params.StartingSequenceNumber = aws.String(lastSeqNum)
|
|
} else {
|
|
params.ShardIteratorType = aws.String(c.initialShardIteratorType)
|
|
}
|
|
|
|
resp, err := c.client.GetShardIterator(params)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
return resp.ShardIterator, nil
|
|
}
|