Polls the Amazon Web Services Simple Queue Service and dispatches messages to the listeners.
Messages have handy functions, such as delete
or changeVisibility
, and the body is transformed by a transformer
function.
This package was meant to be used along with Typescript. The only production dependency is the AWS SDK.
npm i @bausano/sqs-consumer
Since this package is built on top of the AWS SDK, the correct access tokens and regions have to be set in the node enviroment variables. Please refer to this guide for further instructions on how to configure the service.
When constructing the SQS
object for consumer, lock the version of the APIS:
const sqs: AWS.SQS = new AWS.SQS({ apiVersion: '2012-11-05' })
And set the correct region either in env variables or in your codebase:
AWS.config.update({ region: '...' })
The consumer emits QueueMessage
instances to listeners.
Message body is transformed via provided transform function
into a generic type T
. For example, if your messages carry user information, you
can do following:
export default (body: string) : User => {
const { name, email } : any = JSON.parse(body)
return new User(name, email)
}
Should there be an exception thrown during the transform function, an error is emitted to error listeners and messages is left in queue.
It could be useful to transform the body into an object. You can use
any
type or, preferably, create an interface and export it.
// Action.ts
export interface Action {
name: string
source: number
target?: number
}
// transformer.ts
export default (body: string) : Action {
const { name, source, target } : any = JSON.parse(body)
// Ensure you have appropriate max receive count option in your SQS
// if you want to throw errors in transformer as it does not delete
// messages that fail transformation.
if (name === undefined || source === undefined) {
throw new Error('Message body missing necessary parameters.')
}
return { name, source, target }
}
// main.ts
// Your app would be constructed like so:
const app: QueueConsumer<Action> = new QueueConsumer(sqs, config, transformer)
The config this consumer requires has property request
of type
AWS.SQS.Types.ReceiveMessageRequest
.
Documentation can be found here in the
Parameters section.
You can find it also in the AWS Github repo here or here (search for ReceiveMessageRequest
).
Along with this parameter, this library adds interval?: number
. This has to be set for continuous polling.
There are two groups of listeners you can make use of: QueueMessage
, ConsumerException
. To add listeners to the app,
you have to construct new instance of the consumer and use following API:
app.onMessage.addListener(message => handler(message))
Where message: QueueMessage
has property body
of type that you specified on
construct (for example mentioned above, it would body: Action
).
To listen to errors, add a listener (error: ConsumerException) => void
app.onError.addListener(error => handler(error))
There are 3 types of error reported, all of which extends ConsumerException
- error from connecting to SQS corresponds to
class ConnectionException
- error when transforming messages corresponds to
class TransformException
- error when handling messages corresponds to
class ListenerException
On class ConsumerException
, there is one public method: unwrap () : Error
.
This gives you an instance of Error
that is responsible for that particular exception.
Working with our Action
interface example, we could bootstrap the app like so
/**
* Creates new sqs consumer with configuration that
* is just an extended AWS.SQS.Types.ReceiveMessageRequest object
* and tranform function that assigns type of T as message body.
*
* @var {QueueConsumer<Action>}
*/
const app: QueueConsumer<Action> = new QueueConsumer(
new AWS.SQS(),
config,
transform
)
/**
* Message handler of type
* (message: QueueMessage<Action>) => void
*/
app.onMessage.addListener(m => flow(m))
/**
* Error handlers of type
* (error: ConsumerException) => void
*/
app.onError
.addListener(console.log)
.addListener(e => publish(e))
/**
* Starts the queue consumer.
*/
app.run()
// or app.runOnce() for AWS Lambda services.
/**
* Stops the polling.
*/
app.stop()
QueueMessage
has following methods and properties:
body: T
is transformed message bodyreceipt: string
is the SQS message receiptraw: AWS.SQS.Message
is the raw SQS message from the SDK packagechangeVisibility (secs: number) : Promise<AWS.Respose>
changes the message visibilitydelete () : Promise<AWS.Respose>
removes the message
This library is trying to work with AWS SDK as closely as possible. To use it,
you can often refer to the official documentation, as under the hood these methods often are just
return sqs.method(request).promise()
.
The package also provides a TypeScript decorator for class methods. Methods
annotated with @QueueListener
will automatically be trigerred upon receiving
a message from SQS.
The signature is as follows:
@QueueListener<T> (
// A consumer instance, queue consumer config or a queue URL.
consumerConfig: QueueConsumer<T> | QueueConsumerConfig | string,
// Custom transformation function, defaults to JSON.parse.
transform: (body: string) => T = JSON.parse,
// Message deletion policy. Provides NEVER, ALWAYS and ON_SUCCESS and defaults
// to the latter.
deletionPolicy: DeletionPolicy = DeletionPolicy.ON_SUCCESS,
)
interface Todo {
title: string
completed: boolean
}
class Controller {
@QueueListener<Todo>('http://my-queue-url')
public handleMessage (message: QueueMessage<Todo>, app: QueueConsumer<Todo>) : void {
console.assert(typeof message.body.title === 'string')
console.assert(typeof message.body.completed === 'boolean')
// Also provides the consumer instance to stop polling.
console.assert(typeof app.stop === 'function')
}
}
This library is inpired by bbc/sqs-consumer project.