DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Related

  • Alexa Skill With Node.js
  • Alexa Skill With TypeScript
  • Alexa Skill With Local DynamoDB
  • Why Use AWS Lambda Layers? Advantages and Considerations

Trending

  • The Modern Data Stack Is Overrated — Here’s What Works
  • How AI Agents Are Transforming Enterprise Automation Architecture
  • Understanding IEEE 802.11(Wi-Fi) Encryption and Authentication: Write Your Own Custom Packet Sniffer
  • Accelerating AI Inference With TensorRT
  1. DZone
  2. Coding
  3. Tools
  4. Alexa Skill With Python

Alexa Skill With Python

In this article, let's see how to create a custom skill for Alexa using Python, npm, and AWS Lambda Functions.

By 
Xavier Portilla Edo user avatar
Xavier Portilla Edo
DZone Core CORE ·
Updated Apr. 22, 20 · Tutorial
Likes (3)
Comment
Save
Tweet
Share
12.3K Views

Join the DZone community and get the full member experience.

Join For Free

Alexa skills can be developed using Alexa Lambda functions or a REST API endpoint. Lambda function is Amazon's implementation of serverless functions available in AWS. Amazon recommends using Lambda functions despite they are not easy to debug. While you can log to a CloudWatch log, you can't hit a breakpoint and step into the code.

This makes live debugging of Alexa requests a very hard task. In this post, we will implement a custom skill for Amazon Alexa by using Python, npm, and AWS Lambda Functions. This skill is basically a Hello World example. With this post, you will be able to create a custom skill for Amazon Alexa, implement functionality by using Python and start your custom skill both from your local computer and from AWS. This post contains materials from different resources that can be seen in the Resources section.

Prerequisites

Here you have the technologies used in this project

  1. Amazon Developer Account — How to get it
  2. AWS Account — Sign up here for free
  3. ASK CLI — Install and configure ASK CLI
  4. Python 3.x
  5. Visual Studio Code
  6. pip Package Manager
  7. Alexa ASK for Python (Version >1.10.2)
  8. ngrok

The Alexa Skills Kit Command Line Interface (ASK CLI) is a tool for you to manage your Alexa skills and related resources, such as AWS Lambda functions. With ASK CLI, you have access to the Skill Management API, which allows you to manage Alexa skills programmatically from the command line. We will use this powerful tool to create, build, deploy and manage our Hello World Skill. Let's start!

Creating the Skill With ASK CLI

For creating the Alexa Skill, we will use de ASK CLI previously configured. First of all, we have to execute this command:

 ask new

This command will run and interactive step-by-step creation process:

  1. The first thing the ASK CLI is going to ask us is the runtime of our Skill. In our case, Python3:

  1. The second step is the template of the Skill that our Skill is going to base on. In our case, we will select Hello World (Using Classes) template:

  1. Finally, the ASK CLI is going to ask about the name of the Skill. We will set up the name alexa-python-lambda-helloworld

Project Files

These are the main files of the project:

Shell
 




x
19


 
1
    ├───.ask
2
    │       config
3
    │
4
    ├───.vscode
5
    │       launch.json
6
    │       tasks.json
7
    ├───hooks
8
    ├───lambda
9
    │   └───py
10
    │         ├───errors
11
    │         ├───intents
12
    │         ├───interceptors
13
    │         ├───locales
14
    │         ├─── hello_world.py
15
    │         └─── requirements.txt
16
    ├───models
17
    │       es-ES.json
18
    ├───skill.json
19
    └───local_debugger.py


  • .ask: a folder that contains the ASK CLI's config file. This config files will remain empty until we execute the command ask deploy
  • .vscode/launch.json: Launch preferences to run locally your Skill for local testing and executes all the tasks in .vscode/tasks.json. This setting launches local_debugger.py. This script runs a server on http://localhost:3001 for debugging the Skill.
  • hooks: A folder that contains the hook scripts. Amazon provides two hooks: post_new_hook and pre_deploy_hook.
    • post_new_hook: executed after the Skill creation. In Python, creates a Virtual Environment located at .venv/skill_env.
    • pre_deploy_hook: executed before the Skill deployment. In python, creates the folder lambda/py/lambda_upload where will be stored all the necessary to upload the lambda to AWS..
  • lambda/py: A folder that contains the source code for the skill's AWS Lambda function:
    • hello_world.py: the lambda main entry point.
    • locales: i18n dictionaries used by the library python-i18n, which allows us to run the same Skill in different configuration languages.
    • requirementes.txt: this file stores the Python dependencies of our project and is a basic part of understanding and working with Python and pip.
    • errors: folder that contains all Error handlers.
    • intents: folder that contains all Intent handlers.
    • interceptors: here you can find all interceptors.
  • models – A folder that contains interaction models for the skill. Each interaction model is defined in a JSON file named according to the locale. For example, es-ES.json.
  • skill.json – The skill manifest. One of the most important files in our project.
  • local_debugger.py: used for debugging our skill locally.

Lambda Function in Python

The ASK SDK for Python makes it easier for you to build highly engaging skills by allowing you to spend more time implementing features and less time writing boilerplate code.

You can find documentation, samples and helpful links in their official GitHub repository.

The main Python file in our lambda project is hello_world.py located in lambda/py folder. This file contains all handlers, interceptors, and exports the Skill handler in handler object.

The handler object is executed every time AWS Lambda is initiated for this particular function. In theory, an AWS Lambda function is just a single function. This means that we need to define dispatching logic so a single function request can route to appropriate code, hence the handlers.

Python
 




x
29


 
1
  from ask_sdk_core.skill_builder import SkillBuilder
2
  from ask_sdk_model import Response
3
  from intents import LaunchRequestHandler as launch
4
  from intents import HelloWorldIntentHandler as hello
5
  from intents import HelpIntentHandler as help
6
  from intents import CancelOrStopIntentHandler as cancel
7
  from intents import SessionEndedRequestHandler as session
8
  from intents import IntentReflectorHandler as reflector
9
  from errors import CatchAllExceptionHandler as errors
10
  from interceptors import LocalizationInterceptor as locale
11

          
12
  # The SkillBuilder object acts as the entry point for your skill, routing all request and response
13
  # payloads to the handlers above. Make sure any new handlers or interceptors you've
14
  # defined are included below. The order matters - they're processed top to bottom.
15
  sb = SkillBuilder()
16

          
17
  sb.add_request_handler(launch.LaunchRequestHandler())
18
  sb.add_request_handler(hello.HelloWorldIntentHandler())
19
  sb.add_request_handler(help.HelpIntentHandler())
20
  sb.add_request_handler(cancel.CancelOrStopIntentHandler())
21
  sb.add_request_handler(session.SessionEndedRequestHandler())
22
  # make sure IntentReflectorHandler is last so it doesn't override your custom intent handlers
23
  sb.add_request_handler(reflector.IntentReflectorHandler())
24

          
25
  sb.add_global_request_interceptor(locale.LocalizationInterceptor())
26

          
27
  sb.add_exception_handler(errors.CatchAllExceptionHandler())
28

          
29
  handler = sb.lambda_handler()



It is important to take a look into the LaunchRequestHandler as an example of Alexa Skill handler written in Python:

Python
 




x
18


 
1
  class LaunchRequestHandler(AbstractRequestHandler):
2
      """Handler for Skill Launch."""
3

          
4
      def can_handle(self, handler_input):
5
          # type: (HandlerInput) -> bool
6

          
7
          return ask_utils.is_request_type("LaunchRequest")(handler_input)
8

          
9
      def handle(self, handler_input):
10
          # type: (HandlerInput) -> Response
11
          speak_output = i18n.t("strings.WELCOME_MESSAGE")
12

          
13
          return (
14
              handler_input.response_builder
15
              .speak(speak_output)
16
              .ask(speak_output)
17
              .response
18
          )



Building the Skill With Visual Studio Code

The build of the skill is fully automated with the launch.json and tasks.json in the .vscode folder. The first file is used for running the skill locally but before that moment we will execute some tasks defined in the second file which are:

  1. create_env: this task will execute the hooks\post_new_hook. This script will do these tasks:
    • Will install if it is not installed the virtualenv library using pip.
    • After install it, it will create a new Python Virtual Environment if it is not created at .venv/skill_env
  2. install_dependencies: This task will install all dependencies located in lambda/py/requirements.txt using the Python Virtual Environment created above.
  3. build: Finally, it will copy all the source code from lambda\py to the Python Virtual environment site-packages folder.

Here, you have the tasks.json where you can find the tasks explained above and the commands separated per operative system:

JSON
 




x
50


 
1
  {
2
      // See https://go.microsoft.com/fwlink/?LinkId=733558
3
      // for the documentation about the tasks.json format
4
      "version": "2.0.0",
5
      "tasks": [
6
          {
7
              "label": "create_env",
8
              "type": "shell",
9
              "osx": {
10
                  "command": "${workspaceRoot}/hooks/post_new_hook.sh ."
11
              },
12
              "windows": {
13
                  "command": "${workspaceRoot}/hooks/post_new_hook.ps1 ."
14
              },
15
              "linux": {
16
                  "command": "${workspaceRoot}/hooks/post_new_hook.sh ."
17
              }
18
          },{
19
              "label": "install_dependencies",
20
              "type": "shell",
21
              "osx": {
22
                  "command": ".venv/skill_env/bin/pip -q install -r ${workspaceRoot}/lambda/py/requirements.txt",
23
              },
24
              "windows": {
25
                  "command": ".venv/skill_env/Scripts/pip -q install -r ${workspaceRoot}/lambda/py/requirements.txt",
26
              },
27
              "linux": {
28
                  "command": ".venv/skill_env/bin/pip -q install -r ${workspaceRoot}/lambda/py/requirements.txt",
29
              },
30
              "dependsOn": [
31
                  "create_env"
32
              ]
33
          },{
34
              "label": "build",
35
              "type": "shell",
36
              "osx": {
37
                  "command": "cp -r ${workspaceRoot}/lambda/py/ ${workspaceRoot}/.venv/skill_env/lib/python3.8/site-packages/",
38
              },
39
              "windows": {
40
                  "command": "xcopy \"${workspaceRoot}\\lambda\\py\" \"${workspaceRoot}\\.venv\\skill_env\\Lib\\site-packages\" /s /e /h /y",
41
              },
42
              "linux": {
43
                  "command": "cp -r ${workspaceRoot}/lambda/py/ ${workspaceRoot}/.venv/skill_env/lib/python3.8/site-packages/",
44
              },            
45
              "dependsOn": [
46
                  "install_dependencies"
47
              ]
48
          }
49
      ]
50
  }



After that, the skill is ready to be launched locally!

So for building your skill, the only thing you have to do is run it locally in Visual Studio Code:

NOTE: pay attention with folder ${workspaceRoot}/.venv/skill_env/lib/python3.8/site-packages/ in Linux and OSX in the task build. You have to replace python3.8 if you are using another version of Python.

Running the Skill With Visual Studio Code

The launch.json file in the .vscode folder has the configuration for Visual Studio Code, which allows us to run our lambda locally:

JSON
 




x
50


 
1
  {
2
      "version": "0.2.0",
3
      "configurations": [
4
          {
5
              "type": "python",
6
              "request": "launch",
7
              "name": "Launch Skill",
8
              "justMyCode": false,
9
              // Specify path to the downloaded local adapter(for python) file
10
              "program": "${workspaceRoot}/local_debugger.py",
11
              "osx": {
12
                  "preLaunchTask": "build",
13
                  "pythonPath": "${workspaceRoot}/.venv/skill_env/bin/python",
14
                  "args": [
15
                      // port number on your local host where the alexa requests will be routed to
16
                      "--portNumber", "3001",
17
                      // name of your python main skill file
18
                      "--skillEntryFile", "${workspaceRoot}/.venv/skill_env/lib/python3.8/site-packages/hello_world.py",
19
                      // name of your lambda handler
20
                      "--lambdaHandler", "handler"
21
                  ],
22
              },
23
              "windows": {
24
                  "preLaunchTask": "build",
25
                  "pythonPath": "${workspaceRoot}/.venv/skill_env/Scripts/python.exe",
26
                  "args": [
27
                      // port number on your local host where the alexa requests will be routed to
28
                      "--portNumber", "3001",
29
                      // name of your python main skill file
30
                      "--skillEntryFile", "${workspaceRoot}/.venv/skill_env/Lib/site-packages/hello_world.py",
31
                      // name of your lambda handler
32
                      "--lambdaHandler", "handler"
33
                  ],
34
              },
35
              "linux": {
36
                  "preLaunchTask": "build",
37
                  "pythonPath": "${workspaceRoot}/.venv/skill_env/bin/python",
38
                  "args": [
39
                      // port number on your local host where the alexa requests will be routed to
40
                      "--portNumber", "3001",
41
                      // name of your python main skill file
42
                      "--skillEntryFile", "${workspaceRoot}/.venv/skill_env/lib/python3.8/site-packages/hello_world.py",
43
                      // name of your lambda handler
44
                      "--lambdaHandler", "handler"
45
                  ],
46
              },
47
              
48
          }
49
      ]
50
  }



This configuration file will execute the steps explained in the previous section and the will run the following command:

Java
 




xxxxxxxxxx
1


 
1
  .venv/skill_env/scripts/python local_debugger.py --portNumber 3001 --skillEntryFile .venv/skill_env/Lib/site-packages/hello_world.py --lambdaHandler handler



This configuration uses the local_debugger.py file, which runs a TCP server listening on http://localhost:3001

For a new incoming skill request, a new socket connection is established. From the data received on the socket the request body is extracted, parsed into JSON and passed to the skill invoker's lambda handler. The response from the lambda handler is parsed as a HTTP 200 message format as specified here. The response is written onto the socket connection and returned.

After configuring our launch.json file and understanding how the local debugger works, it is time to click on the play button:

After executing it, you can send Alexa POST requests to http://localhost:3001.

NOTE: pay attention with folder ${workspaceRoot}/.venv/skill_env/lib/python3.8/site-packages/hello_world.py in Linux and OSX in the task build. You have to replace python3.8 if you are using another version of Python.

Debugging the Skill With Visual Studio Code

Following the steps before, now you can set up breakpoints wherever you want inside all Python files in the site-package folder of the Python Virtual Environment in order to debug your skill:

Testing Requests Locally

I'm sure you already know the famous tool call Postman. REST APIs have become the new standard in providing a public and secure interface for your service. Though REST has become ubiquitous, it's not always easy to test. Postman, makes it easier to test and manage HTTP REST APIs. Postman gives us multiple features to import, test and share APIs, which will help you and your team be more productive in the long run.

After running your application, you will have an endpoint available at http://localhost:3001. With Postman, you can emulate any Alexa Request.

For example, you can test a LaunchRequest:

JSON
 




x
38


 
1
 {
2
    "version": "1.0",
3
    "session": {
4
      "new": true,
5
      "sessionId": "amzn1.echo-api.session.[unique-value-here]",
6
      "application": {
7
        "applicationId": "amzn1.ask.skill.[unique-value-here]"
8
      },
9
      "user": {
10
        "userId": "amzn1.ask.account.[unique-value-here]"
11
      },
12
      "attributes": {}
13
    },
14
    "context": {
15
      "AudioPlayer": {
16
        "playerActivity": "IDLE"
17
      },
18
      "System": {
19
        "application": {
20
          "applicationId": "amzn1.ask.skill.[unique-value-here]"
21
        },
22
        "user": {
23
          "userId": "amzn1.ask.account.[unique-value-here]"
24
        },
25
        "device": {
26
          "supportedInterfaces": {
27
            "AudioPlayer": {}
28
          }
29
        }
30
      }
31
    },
32
    "request": {
33
      "type": "LaunchRequest",
34
      "requestId": "amzn1.echo-api.request.[unique-value-here]",
35
      "timestamp": "2020-03-22T17:24:44Z",
36
      "locale": "en-US"
37
    }
38
  }



Deploying Your Alexa Skill

With the code ready to go, we need to deploy it on AWS Lambda so it can be connected to Alexa.

Before deploying the Alexa Skill, we can show that the config file in the .ask folder is empty:

JSON
 




x


 
1
    {
2
      "deploy_settings": {
3
        "default": {
4
          "skill_id": "",
5
          "was_cloned": false,
6
          "merge": {}
7
        }
8
      }
9
    }



Deploy Alexa Skill with ASK CLI:

 ask deploy

As the official documentation says:

When the local skill project has never been deployed, ASK CLI creates a new skill in the development stage for your account, then deploys the skill project. If applicable, ASK CLI creates one or more new AWS Lambda functions in your AWS account and uploads the Lambda function code. Specifically, ASK CLI does the following:

  1. Look in your skill project's config file (in the .ask folder, which is in the skill project folder) for an existing skill ID. If the config file does not contain a skill ID, ASK CLI creates a new skill using the skill manifest in the skill project's skill.json file, then adds the skill ID to the skill project's config file.
  2. Look in your skill project's manifest (skill.json file) for the skill's published locales. These are listed in the manifest.publishingInformation.locales object. For each locale, ASK CLI looks in the skill project's models folder for a corresponding model file (for example, es-ES.json), then uploads the model to your skill. ASK CLI waits for the uploaded models to build, then adds each model's eTag to the skill project's config file.
  3. Look in your skill project's manifest (skill.json file) for AWS Lambda endpoints. These are listed in the manifest.apis..endpoint or manifest.apis..regions..endpoint objects (for example, manifest.apis.custom.endpoint or manifest.apis.smartHome.regions.NA.endpoint). Each endpoint object contains a sourceDir value, and optionally a URI value. ASK CLI upload the contents of the sourceDir folder to the corresponding AWS Lambda function and names the Lambda function the same as the URI value. For more details about how ASK CLI performs uploads to Lambda, see AWS Lambda deployment details.
  4. Look in your skill project folder for in-skill products, and if it finds any, uploads them to your skill. For more information about in-skill products, see the In-Skill Purchasing Overview.

In Python, there are some more steps. Before deploying your Alexa Skill, the script pre_deploy_hook in the hooks folder will be executed. This script will be run the following tasks:

  1. It will copy all the files of your site-packages of your Python Virtual Environment in a new folder called lambda_upload located in lambda/py folder.
  2. Then will copy the source code of your skill written in Python located in lambda/py in lambda/py/lambda_puload.
  3. Finally, this new folder as a .zip will be deployed to AWS.

After the execution of the above command, we will have the config file properly filled:

JSON
 




x
33


 
1
  {
2
    "deploy_settings": {
3
      "default": {
4
        "skill_id": "amzn1.ask.skill.53ad2510-5758-48db-9c43-e4263a2055db",
5
        "resources": {
6
          "lambda": [
7
            {
8
              "alexaUsage": [
9
                "custom/default"
10
              ],
11
              "arn": "arn:aws:lambda:us-east-1:141568529918:function:ask-custom-alexa-python-lambda-helloworld-default",
12
              "awsRegion": "us-east-1",
13
              "codeUri": "lambda/py/lambda_upload",
14
              "functionName": "ask-custom-alexa-python-lambda-helloworld-default",
15
              "handler": "hello_world.handler",
16
              "revisionId": "b95879d0-d039-4fa2-b7e5-96746f36689f",
17
              "runtime": "python3.6"
18
            }
19
          ],
20
          "manifest": {
21
            "eTag": "3809be2d04cfb7f90dd0fa023920e0bd"
22
          },
23
          "interactionModel": {
24
            "es-ES": {
25
              "eTag": "235f49ae9fa329de1b7e2489ec7e4622"
26
            }
27
          }
28
        },
29
        "was_cloned": false,
30
        "merge": {}
31
      }
32
    }
33
  }



Test Requests Directly From Alexa

ngrok is a very cool, lightweight tool that creates a secure tunnel on your local machine along with a public URL you can use for browsing your local site or APIs.

When ngrok is running, it listens on the same port that you’re local web server is running on and proxies external requests to your local machine

From there, it’s a simple step to get it to listen to your web server. Say you’re running your local web server on port 3001. In terminal, you’d type in: ngrok http 3001. This starts ngrok listening on port 3001 and creates the secure tunnel:

So now you have to go to Alexa Developer console, go to your skill > endpoints > https, add the https url generated above . Eg: https://20dac120.ngrok.io.

Select the My development endpoint is a sub-domain.... option from the dropdown and click save endpoint at the top of the page.

Go to Test tab in the Alexa Developer Console and launch your skill.

The Alexa Developer Console will send a HTTPS request to the ngrok endpoint (https://20dac120.ngrok.io) which will route it to your skill running on Web API server at http://localhost:3001.

Resources

  • Official Alexa Skills Kit Python SDK
  • Official Alexa Skills Kit Python SDK Docs
  • Official Alexa Skills Kit Docs

Conclusion

This was a basic tutorial to learn Alexa Skills using Python. As you have seen in this example, the Alexa Skill Kit for Python and the Alexa Tools like ASK CLI can help us a lot and give us the possibility to create skills in an easy way. 

That’s all, folks! You can find all the code in my GitHub.

I hope it will be useful! If you have any doubts or questions, do not hesitate to contact me or put a comment below.

Happy coding!

Python (language) Command-line interface AWS Lambda Virtual environment code style AWS Visual Studio Code Task (computing) Requests

Opinions expressed by DZone contributors are their own.

Related

  • Alexa Skill With Node.js
  • Alexa Skill With TypeScript
  • Alexa Skill With Local DynamoDB
  • Why Use AWS Lambda Layers? Advantages and Considerations

Partner Resources

×

Comments

The likes didn't load as expected. Please refresh the page and try again.

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • [email protected]

Let's be friends: