Skip to contentSkip to navigationSkip to topbar
Rate this page:
On this page

Serverless Webhooks with Azure Functions and Node.js


Serverless architectures allow developers to write code that runs in the cloud without running out to find web hosting. These applications can be very compute efficient and reduce costs by only running in response to events like API requests.

Microsoft Azure's offering for serverless code is called Azure Functions(link takes you to an external page). Let's look at a practical application of Azure Functions by writing Node.js JavaScript code to handle Twilio Webhooks for incoming SMS messages and voice phone calls.

(information)

Info

Twilio can send your web application an HTTP request when certain events happen, such as an incoming text message to one of your Twilio phone numbers. These requests are called webhooks, or status callbacks. For more, check out our guide to Getting Started with Twilio Webhooks. Find other webhook pages, such as a security guide and an FAQ in the Webhooks section of the docs.


Create a New Azure Function App

create-a-new-azure-function-app page anchor

To get started on the road to serverless bliss, you first need to create a new Function App in the Azure Portal(link takes you to an external page). Do this by clicking New, searching for "Function App" and selecting "Function App" from the list:

Azure - Create function app.

After clicking on "Function App," click the "Create" button. Provide an app name and other parameters to your preferences:

Azure - Function app details.

Write a Function to Respond to SMS Messages

write-a-function-to-respond-to-sms-messages page anchor

Create the Function

create-the-function page anchor

Bring up your new Function App in the Azure Portal. You should see the Quickstart page which will give you options for creating your first function. We want to use the "Webhook + API" scenario and choose JavaScript as our language:

Azure - Create JS function.

Click "Create this function" and you'll be presented with the function editor, where you can start cutting some code.

Install the Twilio Node.js Helper Library

install-the-twilio-nodejs-helper-library page anchor

When Twilio calls your webhook, it is expecting a response in TwiML. Our JavaScript code will need to generate this TwiML, which is just standard XML. While we could create the XML in a string, the Twilio Helper Library(link takes you to an external page) provides classes to make it easy to build a valid TwiML response. Azure Functions allows installing npm packages and making them available to your functions. We need to create a package.json file with the following content:

package.json for Node.js Azure Functions

packagejson-for-nodejs-azure-functions page anchor

Customize the name, version, etc. for your project.


_14
{
_14
"name": "twilio-azure-functions-sms-node",
_14
"version": "1.0.0",
_14
"description": "Receive SMS with Azure Functions and Node.js",
_14
"main": "index.js",
_14
"scripts": {
_14
"test": "echo \"Error: no test specified\" && exit 1"
_14
},
_14
"author": "Twilio",
_14
"license": "MIT",
_14
"dependencies": {
_14
"twilio": "^3.0.0"
_14
}
_14
}

To create this file, click the button and then the button. Name the file package.json. Paste the JSON into the code editor and Save the file.

Lastly, you need to run npm to install the packages:

  1. Click on the button in the lower-left corner.
  2. Click the button to bring up a console window.
  3. Navigate to the D:\home\site\wwwroot[YourFunctionName] directory.
  4. Run the following command at the command prompt: npm install

Write the Message Handling Code

write-the-message-handling-code page anchor

Now let's write the code that will handle the incoming text message. Switch back to your function code (click the function name and then select the index.js file) and paste the following JavaScript code into the editor:

Receive SMS with Node.js Azure Functions

receive-sms-with-nodejs-azure-functions page anchor

_20
const qs = require("querystring");
_20
const MessagingResponse = require('twilio').twiml.MessagingResponse;
_20
_20
module.exports = function (context, req) {
_20
context.log('JavaScript HTTP trigger function processed a request.');
_20
_20
const formValues = qs.parse(req.body);
_20
_20
const twiml = new MessagingResponse();
_20
twiml.message('You said: ' + formValues.Body);
_20
_20
context.res = {
_20
status: 200,
_20
body: twiml.toString(),
_20
headers: { 'Content-Type': 'application/xml' },
_20
isRaw: true
_20
};
_20
_20
context.done();
_20
};

Twilio will send data about the incoming SMS as form parameters in the body of the POST request. This function has the code to parse out all of those parameters. You need only reference the name of the parameter you want such as formValues.Body for the body of the message or formValues.From for the phone number of the person sending the message (note the PascalCase of the parameters).

The output of the function is a properly formatted XML response containing the TwiML built by the twilio.Twiml.MessagingResponse builder. This function simply echoes back whatever message was sent, but you can see where you could put code to do any number of things such as call an external API or make use of other Azure resources(link takes you to an external page).

Configure the Message Webhook

configure-the-message-webhook page anchor

Now we need to configure our Twilio phone number to call our Azure Function whenever a new text message comes in. To find the URL for your function, look for the Function Url label directly above the code editor in the Azure Portal:

Azure Function Node.js Url.

Copy this URL to the clipboard. Next, open the Twilio Console and find the phone number you want to use (or buy a new number). On the configuration page for the number, scroll down to "Messaging" and next to "A MESSAGE COMES IN," select "Webhook" and paste in the function URL. (Be sure HTTP POST is selected, as well.)

Azure Functions Phone Number Config.

Test the Message Webhook Function

test-the-message-webhook-function page anchor

Now send a text message to your Twilio phone number. If you texted "Hello", then you should get a reply back saying "You said: Hello". If there are any problems, you can use the button in the Azure Function to see what error messages are happening on the server-side. To see errors on Twilio's side, use the Twilio Debugger.

If you'd like to simulate a request from Twilio, you can use the button. Provide [url encoded form parameters](https://en.wikipedia.org/wiki/POST_(HTTP\)#Use_for_submitting_web_forms(link takes you to an external page)) in the "Request body" field and the click the "Run" button at the top of code editor.


Write a Node.js Function to Handle Phone Calls

write-a-nodejs-function-to-handle-phone-calls page anchor

Follow the same steps above to create your function and reference the Twilio Helper Library.

Write the Call Handling Code

write-the-call-handling-code page anchor

Now let's write the code that will handle the incoming phone call. Switch back to your function code (click the function name and then select the index.js file) and paste the following JavaScript code into the editor:

Receive Voice Calls with Node.js Azure Functions

receive-voice-calls-with-nodejs-azure-functions page anchor

_22
const qs = require("querystring");
_22
const VoiceResponse = require('twilio').twiml.VoiceResponse;
_22
_22
module.exports = function (context, req) {
_22
context.log('JavaScript HTTP trigger function processed a request.');
_22
_22
const formValues = qs.parse(req.body);
_22
// Insert spaces between numbers to aid text-to-speech engine
_22
const phoneNumber = formValues.From.replace(/\+/g, '').split('').join(' ');
_22
_22
const twiml = new VoiceResponse();
_22
twiml.say('Your phone number is: ' + phoneNumber);
_22
_22
context.res = {
_22
status: 200,
_22
body: twiml.toString(),
_22
headers: { 'Content-Type': 'application/xml' },
_22
isRaw: true
_22
};
_22
_22
context.done();
_22
};

Twilio will send data about the incoming call as form parameters in the body of the POST request. This function has the code to parse out all of those parameters. You need only reference the name of the parameter you want such as formValues.From for the phone number of the person calling or formValues.CallSid for a unique identifier of the call (note the PascalCase of the parameters).

The output of the function is a properly formatted XML response containing the TwiML built by the twilio.twiml.VoiceResponse`` builder. This function simply tells the caller their phone number, but you can see where you could put code to do any number of things such as call an external API or make use of other Azure resources(link takes you to an external page).

Configure the Voice Webhook

configure-the-voice-webhook page anchor

Now we need to configure our Twilio phone number to call our Azure Function whenever a call comes in. To find the URL for your function, look for the Function Url label directly above the code editor in the Azure Portal:

Azure Function Node.js Url.

Copy this URL to the clipboard. Next, open the Twilio Console and find the phone number you want to use (or buy a new number). On the configuration page for the number, scroll down to "Voice" and next to "A CALL COMES IN," select "Webhook" and paste in the function URL. (Be sure HTTP POST is selected, as well.)

Azure Functions Voice Config.

Test the Voice Webhook Function

test-the-voice-webhook-function page anchor

Now call your Twilio phone number. You should hear a voice saying "Your phone number is <123456>". If there are any problems, you can use the button in the Azure Function to see what error messages are happening on the server-side. To see errors on Twilio's side, use the Twilio Debugger.

If you'd like to simulate a request from Twilio, you can use the button. Provide [url encoded form parameters](https://en.wikipedia.org/wiki/POST_(HTTP\)#Use_for_submitting_web_forms(link takes you to an external page)) in the "Request body" field and the click the "Run" button at the top of code editor.


The Azure Functions documentation(link takes you to an external page) contains all you need to take your functions to the next level. Be sure to also refer to our TwiML Reference for all that you can do with TwiML in your serverless webhooks. Ready to build? Check out our tutorials for Node.js... and some other great languages.

Now, get out there and enjoy your new serverless life!


Rate this page: