Giter Site home page Giter Site logo

mbeacom / django-alexa Goto Github PK

View Code? Open in Web Editor NEW

This project forked from pycontribs/django-alexa

0.0 2.0 0.0 178 KB

Amazon Alexa Skills Kit integration for Django -- PENDING ADOPTION

Home Page: https://github.com/pycontribs/django-alexa/issues/37

License: MIT License

Python 96.37% Makefile 1.57% Batchfile 2.06%

django-alexa's Introduction

django-alexa

Current Version Build Status https://coveralls.io/repos/github/pycontribs/django-alexa/badge.svg?branch=master Updates Python 3 Requirements Status Vulnerbilities Status Code Style: black

Amazon Alexa Skills Kit integration for Django

The django-alexa framework leverages the django-rest-framework package to support the REST API that alexa skills need to use, but wraps up the bolierplate for intent routing and response creation that you'd need to write yourself.

Freeing you up to just write your alexa intents and utterances.

Full Documentation

https://django-alexa.readthedocs.io/en/latest/

Quickstart

Feeling impatient? I like your style.

$ pip install django-alexa

In your django settings.py add the following:

INSTALLED_APPS = [
    'django_alexa',
    'rest_framework',  # don't forget to add this too
    ...
]

In your django urls.py add the following:

urlpatterns = [
    url(r'^', include('django_alexa.urls')),
    ...
]

Your django app will now have a new REST api endpoint at /alexa/ask/ that will handle all the incoming request and route them to the intents defined in any "alexa.py" file.

Set environment variables to configure the validation needs:

ALEXA_APP_ID_DEFAULT="Your Amazon Alexa App ID DEFAULT"
ALEXA_APP_ID_OTHER="Your Amazon Alexa App ID OTHER" # for each app
ALEXA_REQUEST_VERIFICATON=True # Enables/Disable request verification

You can service multiple alexa skills by organizing your intents by an app name. See the intent decorator's "app" argument for more information.

If you set your django project to DEBUG=True django-alexa will also do some helpful debugging for you during request ingestion, such as catch all exceptions and give you back a stacktrace and error type in the alexa phone app.

django-alexa is also configured to log useful information such as request body, request headers, validation as well as response data, this is all configured through the standard python logging setup using the logger 'django-alexa'

In your django project make an alexa.py file. This file is where you define all your alexa intents and utterances. Each intent must return a valid alexa response dictionary. To aid in this the django-alexa api provides a helper class called ResponseBuilder. This class has a function to speed up building these dictionaries for responses.

Please see the documentation on the class for a summary of the details or head to https://developer.amazon.com/public/solutions/alexa/alexa-skills-kit/docs/alexa-skills-kit-interface-reference and checkout the more verbose documentation on proper alexa responses

Example:

from django_alexa.api import fields, intent, ResponseBuilder

HOUSES = ("gryffindor", "hufflepuff", "ravenclaw", "slytherin")

@intent
def LaunchRequest(session):
    """
    Hogwarts is a go
    ---
    launch
    start
    run
    begin
    open
    """
    return ResponseBuilder.create_response(message="Welcome to Hog warts school of witchcraft and wizardry!",
                                           reprompt="What house would you like to give points to?",
                                           end_session=False,
                                           launched=True)


class PointsForHouseSlots(fields.AmazonSlots):
    house = fields.AmazonCustom(label="HOUSE_LIST", choices=HOUSES)
    points = fields.AmazonNumber()


@intent(slots=PointsForHouseSlots)
def AddPointsToHouse(session, house, points):
    """
    Direct response to add points to a house
    ---
    {points} {house}
    {points} points {house}
    add {points} points to {house}
    give {points} points to {house}
    """
    kwargs = {}
    kwargs['message'] = "{0} points added to house {1}.".format(points, house)
    if session.get('launched'):
        kwargs['reprompt'] = "What house would you like to give points to?"
        kwargs['end_session'] = False
        kwargs['launched'] = session['launched']
    return ResponseBuilder.create_response(**kwargs)

The django-alexa framework also provides two django management commands that will build your intents and utterances schema for you by inspecting the code. The django-alexa framework also defines some best practice intents to help get you up and running even faster, but allows you to easily override them, as seen above with the custom LaunchRequest.

>>> python manage.py alexa_intents
{
    "intents": [
        {
            "intent": "StopIntent",
            "slots": []
        },
        {
            "intent": "PointsForHouse",
            "slots": [
                {
                    "name": "points",
                    "type": "AMAZON.NUMBER"
                },
                {
                    "name": "house",
                    "type": "HOUSE_LIST"
                }
            ]
        },
        {
            "intent": "HelpIntent",
            "slots": []
        },
        {
            "intent": "LaunchRequest",
            "slots": []
        },
        {
            "intent": "SessionEndedRequest",
            "slots": []
        },
        {
            "intent": "UnforgivableCurses",
            "slots": []
        },
        {
            "intent": "CancelIntent",
            "slots": []
        }
    ]
}
>>> python manage.py alexa_utterances
StopIntent stop
StopIntent end
HelpIntent help
HelpIntent info
HelpIntent information
LaunchRequest launch
LaunchRequest start
LaunchRequest run
LaunchRequest begin
LaunchRequest open
PointsForHouse {points} {house}
PointsForHouse {points} points {house}
PointsForHouse add {points} points to {house}
PointsForHouse give {points} points to {house}
SessionEndedRequest quit
SessionEndedRequest nevermind
CancelIntent cancel
>>> python manage.py alexa_custom_slots
HOUSE_LIST:
  gryffindor
  hufflepuff
  ravenclaw
  slytherin

There is also a convience that will print each of this grouped by app name

>>> python manage.py alexa
... All of the above data output ...

Utterances can be added to your function's docstring seperating them from the regular docstring by placing them after '---'.

Each line after '---' will be added as an utterance.

When defining utterances with variables in them make sure all of the requested variables in any of the utterances are defined as fields in the slots for that intent.

The django-alexa framework will throw errors when these management commands run if things seem to be out of place or incorrect.

Contributing

  • The master branch is meant to be stable. I usually work on unstable stuff on a personal branch.
  • Fork the master branch ( https://github.com/pycontribs/django-alexa/fork )
  • Create your branch (git checkout -b my-branch)
  • Install required dependencies via pipenv install
  • Run the unit tests via pytest or tox
  • Run tox, this will run black (for formatting code), flake8 for linting and pytests
  • Commit your changes (git commit -am 'added fixes for something')
  • Push to the branch (git push origin my-branch)
  • If you want to merge code from the master branch you can set the upstream like this: git remote add upstream https://github.com/pycontribs/django-alexa.git
  • Create a new Pull Request (Travis CI will test your changes)
  • And you're done!
  • Features, Bug fixes, bug reports and new documentation are all appreciated!
  • See the github issues page for outstanding things that could be worked on.

Credits: Kyle Rockman 2016

django-alexa's People

Contributors

dbuxton avatar dependabot[bot] avatar gilo-agilo avatar j-kirch avatar jugaljoshi avatar kolanos avatar lingster avatar nizebulous avatar pyup-bot avatar rocktavious avatar saundersmatt avatar ssbarnea avatar thorrak avatar

Watchers

 avatar  avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.