Dabble Lab has created another great tutorial video for enhancing your Alexa Skills with personalized user information. If you have ever wondered how to get a user’s email address, here’s how you do it.
In this video, Steve Tingiris shows the nitty gritty details of getting a user data. By requesting permissions for data in the Alexa Developer Console and a few lines of code, your users will have the option to offer their information to you.
As a developer, once you have a user’s email address and phone number, the possibilities are endless as to what you can accomplish. For instance, you could combine this lesson with our SMS text message tutorial to send your users a message straight to their cell phone! You could also build an email list to cross-promote your other skills and websites, or offer additional information/configuration through a web interface.
NOTE: As always, be careful what you do with user information. Personally Identifiable Information (PII) laws and standards vary across the globe, so make sure that you do your research before you potentially expose your users to undue harm.
On this podcast, Dave discusses the Alexa Skills Kit, Alexa Voice Service (AVS), natural language understanding, voice recognition, and much more! Also featured are developer tips and interviews with Alexa developers employees, so it’s worth a listen for those of us out there who are on the cutting edge front lines of Alexa development.
Hello, Alexa Skill Builders! In this tutorial, we will learn how to make an Alexa Skill that responds to the user with random quotes from a list. If you are new to building Alexa Skills, this is the lesson that you have been waiting for!
Getting Started
Before we begin, make sure to create a custom skill hosted by Amazon to follow along. Open the Alexa Developer Console in a separate browser tab, then click “Create Skill“.
Enter an invocation name, then select the Custom model option.
Then make sure to select the Alexa-Hosted (Node.js) option for the skill’s backend resources:
Scroll back to the top, then click Create Skill. It shouldn’t take long for the resources to be provisioned, at most a minute. Once the skill has been created, your browser will redirect to the Alexa hosted development environment.
In the meantime, we can continue with this tutorial to get all of the building blocks we will need to complete this skill.
Get a list of quotes
While our skill is building for the first time, let’s create a list of quotes that we want Alexa to respond with. For a simple list, you can simply copy a bunch from here, https://www.brainyquote.com/top_100_quotes, and paste them into a document, each quote occupying one line.
If you’re creative, you can come up with your own list or use the Internet to generate a list. Just make sure to have at least five quotes or else the skill will be boring.
In the next step, we will be converting this list to a JavaScript array that we will consume in our AWS Lambda function.
Convert the list to a JavaScript module
By now, our skill should have been provisioned with sample code hosted by Alexa. The sample code is simple but has enough boilerplate code to help get you started debugging and troubleshooting.
Navigate to the Code tab in the Alexa Developer Console. You should see something like this:
Create a file called quotes.js by right-clicking on the lambda folder in the IDE.
After you click Create File, you will be presented with a blank file that we can use for our quotes. Add the following snippet to the file:
modules.exports = [
];
This is an empty array that we are exporting for use in other modules in our Lambda skill.
Next, let’s add those quotes that we gathered for our skill to our array. For each quote, wrap it in a backticks (template literals) like so: `This is a quote`. Add a comma after each quote. You do not have to add a comma after the last item.
module.exports = [
`A good programmer looks both ways before crossing a one-way street.`,
`A computer program does what you tell it to do, not what you want it to do.`,
`Only half of programming is coding. The other 90% is debugging`,
`The best thing about a boolean is even if you are wrong, you are only off by a bit.`,
`There is nothing quite so permanent as a quick fix.`,
`There’s no test like production.`
];
Alright, now we’re getting somewhere! Let’s step back from the code for a minute and learn about retrieving random elements from an array in JavaScript.
Getting a random item from an array in JavaScript
As a JavaScript developer for the majority of my career, I have run across many instances where I needed to get a random element from an array. Here’s the quick and dirty way to do it:
const quotes = [
`A good programmer looks both ways before crossing a one-way street.`,
`A computer program does what you tell it to do, not what you want it to do.`,
`Only half of programming is coding. The other 90% is debugging`,
`The best thing about a boolean is even if you are wrong, you are only off by a bit.`,
`There is nothing quite so permanent as a quick fix.`,
`There’s no test like production.`
];
const randomQuote = quotes[Math.floor(Math.random() * quotes.length)];
The variable randomQuote will now store a reference to a random item from the quotes array.
If you are unfamiliar with JavaScript arrays or the built-in Math object (and its methods), here are some quick links to check out:
Here is a working HTML example that will demonstrate this code in action:
How random is random?
After clicking on the button several times, you may notice that the quote sometimes doesn’t change. This is not a bug!
What is actually happening is that the random integer generated by this snippet, Math.floor(Math.random() * quotes.length), sometimes results in the same number (resulting in the same quote) as the previous call.
There are a few ways to address this “unrandomness”. The easiest way is to create an array with so many elements that this duplicate item occurrence rarely happens. If you had a list of a thousand items, it is unlikely that the random number generator will return the same array index as the previous index. Be aware that this is not a fix, but for non-critical applications it is fine.
Another way to solve this is to keep track of the previous index used and to generate another index if it matches. Here’s another HTML example that demonstrates how to guarantee that you will not have the same response twice in a row:
For most purposes, the previous code snippet is enough to get a random item from a JavaScript array. However, you can continue refactoring this example to get the randomness that you need for your application.
Testing our quotes module
Now that we’re a little more educated about JavaScript arrays and randomness, head back to our Alexa Skill IDE’s Code tab and make two edits to index.js.
The first edit will be to import the quotes module into index.js. The second edit is to use the first element of the quotes array for output.
See the code below for the edits you need to make (search for // *** add this line ***):
const Alexa = require('ask-sdk-core');
// *** add this line ***
const quotes = require('./quotes');
const LaunchRequestHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'LaunchRequest';
},
handle(handlerInput) {
const speakOutput = 'Welcome, you can say Hello or Help. Which would you like to try?';
return handlerInput.responseBuilder
.speak(speakOutput)
.reprompt(speakOutput)
.getResponse();
}
};
const HelloWorldIntentHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest'
&& Alexa.getIntentName(handlerInput.requestEnvelope) === 'HelloWorldIntent';
},
handle(handlerInput) {
// *** add this line ***
const speakOutput = quotes[0];
return handlerInput.responseBuilder
.speak(speakOutput)
//.reprompt('add a reprompt if you want to keep the session open for the user to respond')
.getResponse();
}
};
// ... more code
Once you have made these edits, click Save then Deploy to update your Skill.
Our next step is to navigate to the Test tab. If this is your first time on this screen, you will not be able to interact with your skill yet. Select Development from the dropdown next to the text Skill testing is enabled in.
For the purposes of this tutorial, my skill is called Random Quotes. You can either type this into the dialog box on the left or use your computer’s microphone to issue the commands.
Once the initial message plays, enter hello into the dialog box.
If Alexa reads off the first quote on your list, you’ve completed the first testing of the random quotes Alexa Skill. Good job!
Making the response quote random
Our next step is to change the response to our hello command to a random quote.
Go back to the Code tab in the Alexa Developer Console and update the HelloWorldIntentHandler like so:
The variable speakOutput will get a random element from the quotes array for use in the Alexa response. The withShouldEndSession(false) snippet will keep the session open so that you can test the skill’s random output.
Return to the Test tab, invoke your skill, and say hello multiple times. You should get a random response every time. Try saying hello more than twice, as you may get the same quote if your list is short.
If your dialog flow looks similar to mine, you’ve completed this tutorial. Congratulations!!!
Conclusion and further education
Thanks for following along with this tutorial. You are well on your way to becoming an Alexa Skill Builder! I hope that you learned a lot and continue to further sharpen your skills. This tutorial is short and to-the-point, but you can customize it further with a little creativity and know-how.
If you don’t want to keep saying hello to your Skill, by playing around with sample utterances for the HelloWorldIntent on the Build tab.
For a challenge, see if you can ensure that the next quote Alexa says is not the same as previous quote heard by the user. Here’s a hint: use session attributes to save the index of the previous quote, then check to see if the next random index matches. If so, generate another one. You can use the above JSFiddle code snippets for some sample code inspiration.
Another great way to expand this skill would be to host these quotes in DynamoDB. An advantage of using a database with your skill is that you don’t need to deploy or publish a new version to get fresh content out to your users. Stay tuned for tutorials on working with DynamoDB on the Alexa Platform!
Be sure to check out our Tutorials page for more tutorials and lessons on making your Alexa Skills exciting!
Have you ever wondered how to obtain the registered address of the device your user has your skill enabled on? Dabble Lab has recently published a video that will answer questions on how to get started building and testing skills that need a user’s address. If you follow along with their tutorial and template, you will have a great foundation for obtaining and responding with the user’s device location or address.
The topic of user permissions for Alexa Skills is worthy of long, in-depth tutorial. In a few weeks, we will be publishing many step-by-step guides on how to build, code, test, deploy, and publish skills that require advanced features on the Alexa platform. Stay tuned!
Using custom audio files in custom Alexa skills adds a nice touch of originality and engagement. Developers with SSML know-how can easily personalize and brand their skill with custom audio MP3s. However, Amazon Alexa may often throw an error if you forget to convert your custom audio files to the specifications that are required.
Youtuber blondiebytes published a great video that takes users step-by-step through the whole process of creating a fact Alexa skill. Her beginner Alexa Skill tutorial in this video is full of great insider tips. This video is a great starting point if you have no experience with the Alexa Developer Console. You can easily take her example as a starting point and integrate an API response into your skill.
blondiebytes has a lot of other great content for Alexa and other software-related tops on her channel, check it out here! Make sure to like and subscribe if you enjoyed her video! Stay tuned for more beginner Alexa Skill tutorials!
If you’re like me, you spend a lot of time and effort developing your Alexa skills so that they’re ready for production. However, once a skill is published, the work is not done! Getting your hard work enabled on an end-user’s device takes more than great development: you have to learn to market your Alexa skill.
It’s not surprising that a lot of skills fail to gain traction or really take off: there are over 100,000 skills out on the Alex Skill store. To really increase user engagement, your skill needs to stand out and promoted.
There are many free or low-cost options to consider. Social media channels like Twitter, Facebook, Instagram and Reddit are good resources for promotion due to their viral, message-spreading natures. Some of the better skills out on the market make companion Youtube videos that demonstrate how the skills work and add value for their customers. Your own personal blog or company website is another avenue for marketing your skill. Email campaigns through Mailchimp are very cheap (free in most cases) and can really push your skill to the right groups of people. As always, word of mouth is the best way to promote!
In this video from the official Alexa Developers channel on Youtube, you will learn many tips and techniques of promoting your Alexa skill on the market.
If you’re still looking for more ways to promote and market your Alexa skill, you can also fill out this form here to submit your skill to a new program we are starting here at alexaskillstutorials.com. This program will help jumpstart your promotion efforts and reveal critical insights for improving your skill’s engagement.
One of the best aspects of the Alexa platform is the ability to integrate AWS features seamlessly. Because Alexa uses Lambda functions for handling request/responses, our skills have access to the whole AWS SDK with just a simple package import! In this short tutorial, I will show you how to send a SMS text message with Alexa.
Let’s take a look at a simple code snippet that a feature developer would use to integrate SMS text messaging into their app:
const AWS = require('aws-sdk');
/*
* Your AWS credentials
* - tip: for quick testing, you might be able to use the credentials
* stored on your local machine at ~/.aws/credentials
* Otherwise, configure the following values as you see fit for
* your project using environment variables.
*/
const aws_access_key_id = 'YOUR ACCESS KEY ID';
const aws_secret_access_key = 'YOUR SECRET ACCESS KEY';
// Configure the AWS SDK
AWS.config.update({
accessKeyId: aws_access_key_id,
secretAccessKey: aws_secret_access_key,
region: 'us-west-2' // this can be changed to us-west-1, us-east-1, etc.
});
// Create a new SNS object
const sns = new AWS.SNS();
// Send off the SMS
function sendSMS(to_number, message) {
return sns.publish({
Message: message,
PhoneNumber:to_number
}).promise();
}
module.exports = {
sendSMS
}
module.exports = {
sendSms
};
Pretty straightforward and simple, right? The preceding code sample sends a SMS out to a phone number that we pass as a parameter along with a custom message.
You could include this little snippet of code in a file called utils.js and import it wherever you need to send a SMS text message a user’s phone.
Phone Number Slot Type
Ideally, you would want Alexa to resolve the phone number for you. Use the built-in slot type specifically designed for this use-case, AMAZON.PhoneNumber. This slot type is very useful and available across many of the languages and regions that Alexa supports.
Here is a sample intent that demonstrates how to add SMS functionality to your IntentHandler.
const SendSmsIntentHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest'
&& Alexa.getIntentName(handlerInput.requestEnvelope) === 'SendSmsIntent';
},
async handle(handlerInput) {
console.log('handlerInput', JSON.stringify(handlerInput, null, 4));
let toPhoneNumber = null;
try {
const toPhoneNumberSlot = handlerInput.requestEnvelope.request.intent.slots.ToPhoneNumber.value;
toPhoneNumber = `+1${toPhoneNumberSlot}`;
} catch (err) {
throw new Error('Could not resolve the phone number, goodbye!');
}
let smsMessage = 'Hello from my Alexa skill!'
try {
await sendSMS(toPhoneNumber, smsMessage);
} catch(err) {
console.log('Error sending SMS', err);
throw new Error('There was an error sending the text message');
}
return handlerInput.responseBuilder
.speak(`<speak>Message sent to <say-as interpret-as="telephone">${toPhoneNumber}</say-as><break time="1s" />. Goodbye!</speak>`)
.withShouldEndSession(true)
.getResponse();
}
};
Quick start model and screenshot
If you are in a hurry, we got you covered. Have a look at the interaction model example JSON and screenshot below. If you decide to use this, make sure to substitute your project’s unique values!
Once your project starts to become a little more complicated, you will definitely need some unit testing to make sure your SMS text messaging is bulletproof. Check out our latest tutorial on how to test IntentHandlers.
Custom Alexa skills make it really easy to get started and publish a low-effort skill on the Alexa Skill store. However, once a project gets large enough (i.e. multiple conditional statements, asynchronous requests, complex response speech), it pays off to know how to unit test IntentHandlers.
In this tutorial, I will show you how to break apart this boilerplate code provided by Amazon and make it bulletproof. We will tune the example lambda function and IntentHandlers into durable code that is testable, flexible for future development, and gives us confidence that our hard work is as bug-free as possible.
Creating a basic project
Let’s start by creating a simple custom skill that we can play around with. Go to the Alexa Developer Console in your browser and create a new skill. Make sure that you select the Custom model:
Next, ensure that you are using the Alexa-hosted (Node.js) backend resources for your skill. Using your own Lambda functions is outside the scope of this Alexa tutorial, but we will be addressing that in later posts.
Navigate to the top of the page and click the Create skill button. The Alexa Developer Console will open a modal announcing that it is provisioning resources for your skill and setting everything up. This should only take a minute or so. Once ready, we will be directed to our new skill’s hosted IDE (integrated development environment).
The Boilerplate
Once your skill has been created, navigate to the Code section of the Alexa IDE and select index.js. You should have code that looks like this:
// This sample demonstrates handling intents from an Alexa skill using the Alexa Skills Kit SDK (v2).
// Please visit https://alexa.design/cookbook for additional examples on implementing slots, dialog management,
// session persistence, api calls, and more.
const Alexa = require('ask-sdk-core');
const LaunchRequestHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'LaunchRequest';
},
handle(handlerInput) {
const speakOutput = 'Welcome, you can say Hello or Help. Which would you like to try?';
return handlerInput.responseBuilder
.speak(speakOutput)
.reprompt(speakOutput)
.getResponse();
}
};
const HelloWorldIntentHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest'
&& Alexa.getIntentName(handlerInput.requestEnvelope) === 'HelloWorldIntent';
},
handle(handlerInput) {
const speakOutput = 'Hello World!';
return handlerInput.responseBuilder
.speak(speakOutput)
//.reprompt('add a reprompt if you want to keep the session open for the user to respond')
.getResponse();
}
};
const HelpIntentHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest'
&& Alexa.getIntentName(handlerInput.requestEnvelope) === 'AMAZON.HelpIntent';
},
handle(handlerInput) {
const speakOutput = 'You can say hello to me! How can I help?';
return handlerInput.responseBuilder
.speak(speakOutput)
.reprompt(speakOutput)
.getResponse();
}
};
const CancelAndStopIntentHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest'
&& (Alexa.getIntentName(handlerInput.requestEnvelope) === 'AMAZON.CancelIntent'
|| Alexa.getIntentName(handlerInput.requestEnvelope) === 'AMAZON.StopIntent');
},
handle(handlerInput) {
const speakOutput = 'Goodbye!';
return handlerInput.responseBuilder
.speak(speakOutput)
.getResponse();
}
};
const SessionEndedRequestHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'SessionEndedRequest';
},
handle(handlerInput) {
// Any cleanup logic goes here.
return handlerInput.responseBuilder.getResponse();
}
};
// The intent reflector is used for interaction model testing and debugging.
// It will simply repeat the intent the user said. You can create custom handlers
// for your intents by defining them above, then also adding them to the request
// handler chain below.
const IntentReflectorHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest';
},
handle(handlerInput) {
const intentName = Alexa.getIntentName(handlerInput.requestEnvelope);
const speakOutput = `You just triggered ${intentName}`;
return handlerInput.responseBuilder
.speak(speakOutput)
//.reprompt('add a reprompt if you want to keep the session open for the user to respond')
.getResponse();
}
};
// Generic error handling to capture any syntax or routing errors. If you receive an error
// stating the request handler chain is not found, you have not implemented a handler for
// the intent being invoked or included it in the skill builder below.
const ErrorHandler = {
canHandle() {
return true;
},
handle(handlerInput, error) {
console.log(`~~~~ Error handled: ${error.stack}`);
const speakOutput = `Sorry, I had trouble doing what you asked. Please try again.`;
return handlerInput.responseBuilder
.speak(speakOutput)
.reprompt(speakOutput)
.getResponse();
}
};
// The SkillBuilder acts as the entry point for your skill, routing all request and response
// payloads to the handlers above. Make sure any new handlers or interceptors you've
// defined are included below. The order matters - they're processed top to bottom.
exports.handler = Alexa.SkillBuilders.custom()
.addRequestHandlers(
LaunchRequestHandler,
HelloWorldIntentHandler,
HelpIntentHandler,
CancelAndStopIntentHandler,
SessionEndedRequestHandler,
IntentReflectorHandler, // make sure IntentReflectorHandler is last so it doesn't override your custom intent handlers
)
.addErrorHandlers(
ErrorHandler,
)
.lambda();
That’s a pretty generic Alexa Skill lambda function containing a bunch of request handlers.
With a few simple edits of the speakOutput variables already defined in this file, you will have a very low-complexity skill ready to publish. Nothing too impressive right now, and it could be argued that we don’t need any tests for this.
However, once we start introducing features and components that deal with things like asynchronous requests or calculations, we need to have some way of knowing that our code works. This is where automated testing comes into play…
Unit testing
How do you know your code works the way that you expect it to? You could open the Test tab in the Alexa Developer Console and manually test each case that your code will handle. This could take hours of laboriously launching the skill and sending it utterances to get a particular piece of code to execute. There’s an easier way: unit testing!
For those of you that are unaware of unit testing, you are missing out on one of the biggest confidence-boosting aspects of software development. Unit tests validate small portions of code (a “unit”) work as we intend them to. With enough unit tests, we can safely assume that our code’s logic will work as we expect it will given inputs and expected outputs. For more information on the what and why of unit testing, check out this page for more information.
Here’s a quick example of unit testing a simple JavaScript function with a test framework called Jest. We have a method named addTogether that simple adds the two parameters, first and second, and returns the result:
// file: utils.js
module.exports = {
addTogether(first, second) {
return first + second;
}
};
// file: utils.test.js
const utils = require('util.js');
describe('utils.js', () => {
describe('addTogether', () => {
it('should add two numbers correctly', () => {
expect(utils.addTogether(1, 2)).toEqual(3);
});
it('should concatenate two strings', () => {
expect(utils.addTogether('Hello', 'World')).toEqual('HelloWorld');
});
it('should concatenate a string and a number and return a string', () => {
expect(utils.addTogether('1', 2)).toEqual('12');
expect(typeof utils.addTogether('1', 2)).toEqual('string');
})
});
});
The addTogether function is a simple method, but we have three tests that cover a variety of inputs that the function could presumably be used with. Pay attention to the third test above to see the value of unit testing. With a dynamically typed language such as JavaScript, errors and unintended behavior could result from shoddy coding.
Cloning the code to your machine with the ask-cli
The Alexa Developer Console is very robust and feature-filled. I’m actually surprised how functional it is, especially the Intellisense and syntax error checking. However, the code editor provided is very bare-bones, a little clunky when moving files around, and it can’t run our unit tests for us. So, we need to bring this code onto our local machine.
The Amazon Alexa team has provided a seriously useful command line utility for Node.js developers. For in-depth information on how to start using the ASK CLI and its other features, check out this page. I will assume for this tutorial that you have installed the package via npm and have configured it properly.
Clone your Alexa skill to your local machine by executing ask clone on your Terminal or other CLI, then using the up/down arrow keys to select your skill. Press enter and the project will be pulled from Amazon’s repositories :
Open the newly created directory as a project in your favorite IDE (I prefer IntelliJ/WebStorm, but VS Code is also a great option).
Making the code testable
Our first task is to split the code out into individual files that will be imported into the main index.js file.
Create a directory inside the /lambda/ directory called /handlers/, then create a file for each of the IntentHandlers: LaunchRequestHandler.js, HelloWorldIntentHandler.js,HelpIntentHandler.js, CancelAndStopIntentHandler.js, SessionEndedIntentHandler.js, IntentReflectorHandler.js, and ErrorHandler.js.
For each of these files, we will strip out the IntentHandler for each respective file, paste the IntentHandler and its dependencies into the file, and export it. Then, in index.js, we will import these broken-out IntentHandlers in.
For example, here is what HelloWorldIntentHandler.js will look like:
const Alexa = require('ask-sdk-core');
const HelloWorldIntentHandler = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest'
&& Alexa.getIntentName(handlerInput.requestEnvelope) === 'HelloWorldIntent';
},
handle(handlerInput) {
const speakOutput = 'Hello World!';
return handlerInput.responseBuilder
.speak(speakOutput)
//.reprompt('add a reprompt if you want to keep the session open for the user to respond')
.getResponse();
}
};
module.exports = HelloWorldIntentHandler;
Repeat this process for each of the IntentHandlers, making sure to add the ask-sdk-core dependency everywhere that the Alexa object is being used (mostly found in the canHandle methods). Once we have each IntentHandler separated into separate modules, our index.js file will look like this, but still function the same as before:
At this point, you may want to save your changes and push them to the Alexa-hosted repository. For the sake of brevity for this tutorial, I will assume that you have done this step on your own. If not, we will eventually push our code once our testing is complete.
Installing a test framework
Now that our project is broken out into separate modules for each IntentHandler, we can start the setup for our testing. I prefer Jest as it is very easy to set up and can test both Node.js and front-end JavaScript code.
Start by navigating to the /lambda/ folder via the command line. Run npm install to pull down /node_modules/ your project will use initially.
Next, install Jest as a devDependency using the following command: npm install --save-dev jest. You should see this added to the package.json file in your project.
Open the package.json file and replace the scripts.test value with node_modules/.bin/jest --coverage:
Run npm test and the Jest test runner should report back to you something similar to this: No tests found, exiting with code 1.
Writing our first test
Our first test will be a simple test to make sure Jest is configured properly. Create a directory named /test/ and create a file called example.test.js. Inside this file, paste in the following code.
Now, re-run npm test and you should receive output that the test passed:
Congratulations! We have successfully wrote our first unit test of the project and confirmed that Jest works as expected. You can choose to delete this file now or keep it around to confirm Jest is still working.
Writing an IntentHandler test
OK, now we’re going to start the real work and learn how to unit test IntentHandlers. We are going to write a few tests for one intent handler, the HelloWorldIntentHandler. Once you get the hang of unit testing Alexa intents, it becomes very easy to iterate on new features!
Inside the /test/ directory, create a directory called /handlers/ with a file called HelloWorldIntentHandler.test.js. Inside the file, add some Jest boilerplate along with a test that we know will fail:
const HelloWorldIntentHandler = require('./handlers/HelloWorldIntentHandler.js');
describe('HelloWorldIntentHandler', () => {
it('should be able to handle requests', () => {
expect(HelloWorldIntentHandler.canHandle()).toEqual(true);
});
});
Run the tests with npm test and observe the failed test output:
Note that the test failed not due to an assertion but a TypeError. This is the point in the tutorial where stuff gets real: we will start using test objects that appear similar to what our code expects but really focus on the unit of work that these methods actually accomplish.
Let’s make this test pass by passing a handlerInput object that the canHandle method expects:
const HelloWorldIntentHandler = require('../../handlers/HelloWorldIntentHandler.js');
describe('HelloWorldIntentHandler', () => {
let handlerInput = {
requestEnvelope: {
request: {
type: 'IntentRequest',
intent: {
name: 'HelloWorldIntent'
}
}
}
};
it('should be able to handle requests', () => {
expect(HelloWorldIntentHandler.canHandle(handlerInput)).toEqual(true);
});
});
Success!
Code coverage
Do you notice that ASCII-coded table at the bottom of our test results? In a previous step, we added a test command to the package.json file. The option flag --coverage generates a convenient coverage report that shows what parts of our code were executed.
If you look in your project’s files, you should see a directory named /coverage/. Inside this directory should be another directory named /lcov-report/. Inside that directory is a file named index.html. Open index.html in a web browser. You should see something like this:
Click on the HelloWorldIntentHandler.js link in the table. You will see your source code highlighted with yellow, red, and green colors:
NOTE: As you write more and more code, you will want to keep code coverage high. Having high code coverage means that you have tests that exercise code paths (i.e. conditionals) and external dependencies. When we are learning how to unit test intent handlers, it helps to have a visual representation of what is not covered.
Advanced unit testing
The previous test confirmed that our IntentHandler was capable of handling requests. However, it was a simple test of canHandle() and there wasn’t much going on. Let’s test the handle() method and see how advanced we can get.
const HelloWorldIntentHandler = require('../../handlers/HelloWorldIntentHandler.js');
describe('HelloWorldIntentHandler', () => {
let handlerInput = {
requestEnvelope: {
request: {
type: 'IntentRequest',
intent: {
name: 'HelloWorldIntent'
}
}
}
};
it('should be able to handle requests', () => {
expect(HelloWorldIntentHandler.canHandle(handlerInput)).toEqual(true);
});
it('should greet the user with a message', () => {
HelloWorldIntentHandler.handle(handlerInput);
});
});
Another TypeError! This time around, we will have to use some mock functions to get this test ready.
First off, we aren’t asserting anything yet. Let’s fix the error with some mock functionality:
const HelloWorldIntentHandler = require('../../handlers/HelloWorldIntentHandler.js');
describe('HelloWorldIntentHandler', () => {
let speakMock = jest.fn(() => handlerInput.responseBuilder);
let getResponseMock = jest.fn(() => handlerInput.responseBuilder);
let handlerInput = {
responseBuilder: {
speak: speakMock,
getResponse: getResponseMock
},
requestEnvelope: {
request: {
type: 'IntentRequest',
intent: {
name: 'HelloWorldIntent'
}
}
}
};
it('should be able to handle requests', () => {
expect(HelloWorldIntentHandler.canHandle(handlerInput)).toEqual(true);
});
it('should greet the user with a message', () => {
HelloWorldIntentHandler.handle(handlerInput);
});
});
What we are doing with speakMock and getResponseMock on the handlerInput.responseBuilder object is mocking out the functions and returning a reference back to the original handlerInput.responseBuilder object. The responseBuilder utilizes a builder pattern, which requires a reference back to itself (the correct this reference) for chaining:
Ok, now that the tests passed due to the fact we haven’t asserted anything, how do we make the test fail again? Simple, now we assert on the expected message we want Alexa to respond with: “Hello World!”
Update the code as follows:
const HelloWorldIntentHandler = require('../../handlers/HelloWorldIntentHandler.js');
describe('HelloWorldIntentHandler', () => {
let speakMock = jest.fn(() => handlerInput.responseBuilder);
let getResponseMock = jest.fn(() => handlerInput.responseBuilder);
let handlerInput = {
responseBuilder: {
speak: speakMock,
getResponse: getResponseMock
},
requestEnvelope: {
request: {
type: 'IntentRequest',
intent: {
name: 'HelloWorldIntent'
}
}
}
};
it('should be able to handle requests', () => {
expect(HelloWorldIntentHandler.canHandle(handlerInput)).toEqual(true);
});
it('should greet the user with a message', () => {
HelloWorldIntentHandler.handle(handlerInput);
expect(handlerInput.responseBuilder.speak).toHaveBeenCalledWith('Some random message!');
});
});
Notice anything? That’s right, our test now fails on an assertion. We also now have 100% code coverage!!!
To fix this test, change the assertion from “Some random message!’ to “Hello World!”. Re-run the test and bask in your success:
Pushing the code to Alexa-hosted repository
To push the code back to the Alexa-hosted repository, execute the following commands:
cd <root directory of the project> git add . git commit -m 'refactoring intents, added unit tests for HelloWorldIntentHandler' git push ask deploy
If all goes well, you should be able to see your refactored code in the Alexa Developer Console for your new skill!
Conclusion
We’re done, congratulations! As you change your code, your tests will fail and you will need to refactor your tests to accommodate the new code paths. This type of work takes time to adapt to, but the benefits are worth the extra work!
For a coding challenge, uncomment the reprompt() method and figure out how to make a test for it!
Thanks for taking the opportunity to learn how to unit test IntentHandlers on the Alexa platform. Happy coding!
If you’re testing your new skill on the Alexa Developer Console (the Test tab) and you run into an odd message similar to ”You just triggered MyCoolIntent”, there is an easy solution to your problem: add your intent to the request handlers to the addRequestHandlers method of the Alexa SkillBuilder.
const MyCoolIntent = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest' && Alexa.getIntentName(handlerInput.requestEnvelope) === 'MyCoolIntent';
},
handle(handlerInput) {
// do something cool!
}
};
// ... other intents provided in the
exports.handler = Alexa.SkillBuilders.custom()
.addRequestHandlers(
LaunchRequestHandler,
// Something is missing here...
// you should add MyCoolIntent here
CancelAndStopIntentHandler,
SessionEndedRequestHandler,
IntentReflectorHandler
)
.addErrorHandlers(
ErrorHandler
)
.lambda();
What is happening is that Alexa is searching for registered code intents to handle a user’s response and cannot find anything to handle it. The starter custom project includes a IntentReflectorHandler that is our fallback if we forget to set up our intents correctly:
// The intent reflector is used for interaction model testing and debugging.
// It will simply repeat the intent the user said. You can create custom handlers
// for your intents by defining them above, then also adding them to the request
// handler chain below.
const IntentReflectorHandler = {
canHandle(handlerInput) {
return handlerInput.requestEnvelope.request.type === 'IntentRequest';
},
handle(handlerInput) {
const intentName = handlerInput.requestEnvelope.request.intent.name;
const speechText = `You just triggered ${intentName}`;
return handlerInput.responseBuilder
.speak(speechText)
//.reprompt('add a reprompt if you want to keep the session open for the user to respond')
.getResponse();
}
};
If that doesn’t fix your problem, you should also check the canHandle method of the custom intent you have created. Maybe you forget to change the Intent’s name in the canHandle() method?
const MyCoolIntent = {
canHandle(handlerInput) {
return Alexa.getRequestType(handlerInput.requestEnvelope) === 'IntentRequest' && Alexa.getIntentName(handlerInput.requestEnvelope) === 'MyCoolIntent'; // make sure 'MyCoolIntent' is set here
},
// ...
};
The default project that the Alexa Developer Console provides is a very capable starting point. In fact, it does so much for us that we often forget the multiple steps that are required when registering custom request handlers and intents.
Amazon’s Alexa team is doing a lot to promote the platform for third-party developers, which leads many low-effort skills on the marketplace. Skill Certification is the bare minimum, but it shouldn’t be the standard. Make sure that you understand the Alexa lifecycle and how to correctly configure and code an intent handler. Your users will thanks you for it.