title | description | services | documentationcenter | author | manager | editor | ms.assetid | ms.service | ms.workload | ms.tgt_pltfrm | ms.devlang | ms.topic | ms.date | ms.author |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
How to use Service Bus queues in Node.js | Microsoft Docs |
Learn how to use Service Bus queues in Azure from a Node.js app. |
service-bus-messaging |
nodejs |
sethmanheim |
timlt |
a87a00f9-9aba-4c49-a0df-f900a8b67b3f |
service-bus-messaging |
tbd |
na |
nodejs |
article |
08/10/2017 |
sethm |
[!INCLUDE service-bus-selector-queues]
This article describes how to use Service Bus queues with Node.js. The samples are written in JavaScript and use the Node.js Azure module. The scenarios covered include creating queues, sending and receiving messages, and deleting queues. For more information on queues, see the Next steps section.
[!INCLUDE howto-service-bus-queues]
[!INCLUDE service-bus-create-namespace-portal]
Create a blank Node.js application. For instructions on how to create a Node.js application, see Create and deploy a Node.js application to an Azure Website, or Node.js Cloud Service using Windows PowerShell.
To use Azure Service Bus, download and use the Node.js Azure package. This package includes a set of libraries that communicate with the Service Bus REST services.
-
Use the Windows PowerShell for Node.js command window to navigate to the c:\node\sbqueues\WebRole1 folder in which you created your sample application.
-
Type npm install azure in the command window, which should result in output similar to the following:
[email protected] node_modules\azure ├── [email protected] ├── [email protected] ├── [email protected] ├── [email protected] ├── [email protected] ├── [email protected] ├── [email protected] ├── [email protected] ├── [email protected] ([email protected]) └── [email protected] ([email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected])
-
You can manually run the ls command to verify that a node_modules folder was created. Inside that folder find the azure package, which contains the libraries you need to access Service Bus queues.
Using Notepad or another text editor, add the following to the top of the server.js file of the application:
var azure = require('azure');
The Azure module reads the environment variable AZURE_SERVICEBUS_CONNECTION_STRING
to obtain information required to connect to Service Bus. If this environment variable is not set, you must specify the account information when calling createServiceBusService
.
For an example of setting the environment variables in a configuration file for an Azure Cloud Service, see Node.js Cloud Service with Storage.
For an example of setting the environment variables in the Azure portal for an Azure Website, see Node.js Web Application with Storage.
The ServiceBusService object enables you to work with Service Bus queues. The following code creates a ServiceBusService object. Add it near the top of the server.js file, after the statement to import the Azure module:
var serviceBusService = azure.createServiceBusService();
By calling createQueueIfNotExists
on the ServiceBusService object, the specified queue is returned (if it exists), or a new queue with the specified name is created. The following code uses createQueueIfNotExists
to create or connect to the queue named myqueue
:
serviceBusService.createQueueIfNotExists('myqueue', function(error){
if(!error){
// Queue exists
}
});
The createServiceBusService
method also supports additional options, which enable you to override default queue settings such as message time to live or maximum queue size. The following example sets the maximum queue size to 5 GB, and a time to live (TTL) value of 1 minute:
var queueOptions = {
MaxSizeInMegabytes: '5120',
DefaultMessageTimeToLive: 'PT1M'
};
serviceBusService.createQueueIfNotExists('myqueue', queueOptions, function(error){
if(!error){
// Queue exists
}
});
Optional filtering operations can be applied to operations performed using ServiceBusService. Filtering operations can include logging, automatically retrying, etc. Filters are objects that implement a method with the signature:
function handle (requestOptions, next)
After doing its pre-processing on the request options, the method must call next
, passing a callback with the following signature:
function (returnObject, finalCallback, next)
In this callback, and after processing the returnObject
(the response from the request to the server), the callback must either invoke next
if it exists to continue processing other filters, or simply invoke finalCallback
, which ends the service invocation.
Two filters that implement retry logic are included with the Azure SDK for Node.js, ExponentialRetryPolicyFilter
and LinearRetryPolicyFilter
. The following code creates a ServiceBusService
object that uses the ExponentialRetryPolicyFilter
:
var retryOperations = new azure.ExponentialRetryPolicyFilter();
var serviceBusService = azure.createServiceBusService().withFilter(retryOperations);
To send a message to a Service Bus queue, your application calls the sendQueueMessage
method on the ServiceBusService object. Messages sent to (and received from) Service Bus queues are BrokeredMessage objects, and have a set of standard properties (such as Label and TimeToLive), a dictionary that is used to hold custom application-specific properties, and a body of arbitrary application data. An application can set the body of the message by passing a string as the message. Any required standard properties are populated with default values.
The following example demonstrates how to send a test message to the queue named myqueue
using sendQueueMessage
:
var message = {
body: 'Test message',
customProperties: {
testproperty: 'TestValue'
}};
serviceBusService.sendQueueMessage('myqueue', message, function(error){
if(!error){
// message sent
}
});
Service Bus queues support a maximum message size of 256 KB in the Standard tier and 1 MB in the Premium tier. The header, which includes the standard and custom application properties, can have a maximum size of 64 KB. There is no limit on the number of messages held in a queue but there is a cap on the total size of the messages held by a queue. This queue size is defined at creation time, with an upper limit of 5 GB. For more information about quotas, see Service Bus quotas.
Messages are received from a queue using the receiveQueueMessage
method on the ServiceBusService object. By default, messages are deleted from the queue as they are read; however, you can read (peek) and lock the message without deleting it from the queue by setting the optional parameter isPeekLock
to true.
The default behavior of reading and deleting the message as part of the receive operation is the simplest model, and works best for scenarios in which an application can tolerate not processing a message in the event of a failure. To understand this, consider a scenario in which the consumer issues the receive request and then crashes before processing it. Because Service Bus will have marked the message as being consumed, then when the application restarts and begins consuming messages again, it will have missed the message that was consumed prior to the crash.
If the isPeekLock
parameter is set to true, the receive becomes a two stage operation, which makes it possible to support applications that cannot tolerate missing messages. When Service Bus receives a request, it finds the next message to be consumed, locks it to prevent other consumers receiving it, and then returns it to the application. After the application finishes processing the message (or stores it reliably for future processing), it completes the second stage of the receive process by calling deleteMessage
method and providing the message to be deleted as a parameter. The deleteMessage
method marks the message as being consumed and removes it from the queue.
The following example demonstrates how to receive and process messages using receiveQueueMessage
. The example first receives and deletes a message, and then receives a message using isPeekLock
set to true, then deletes the message using deleteMessage
:
serviceBusService.receiveQueueMessage('myqueue', function(error, receivedMessage){
if(!error){
// Message received and deleted
}
});
serviceBusService.receiveQueueMessage('myqueue', { isPeekLock: true }, function(error, lockedMessage){
if(!error){
// Message received and locked
serviceBusService.deleteMessage(lockedMessage, function (deleteError){
if(!deleteError){
// Message deleted
}
});
}
});
Service Bus provides functionality to help you gracefully recover from errors in your application or difficulties processing a message. If a receiver application is unable to process the message for some reason, then it can call the unlockMessage
method on the ServiceBusService object. This will cause Service Bus to unlock the
message within the queue and make it available to be received again, either by the same consuming application or by another consuming application.
There is also a timeout associated with a message locked within the queue, and if the application fails to process the message before the lock timeout expires (e.g., if the application crashes), then Service Bus will unlock the message automatically and make it available to be received again.
In the event that the application crashes after processing the message but before the deleteMessage
method is called, then the message will be redelivered to the application when it restarts. This is often called At Least Once Processing, that is, each message will be processed at least once but in certain situations the same message may be redelivered. If the scenario cannot tolerate duplicate processing, then application developers should add additional logic to their application to handle duplicate message delivery. This is often achieved using the MessageId property of the message, which will remain constant across delivery attempts.
To learn more about queues, see the following resources.
- Queues, topics, and subscriptions
- Azure SDK for Node repository on GitHub
- Node.js Developer Center