Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Rob branch #5

Open
wants to merge 7 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions lambda/skill_env/alexa/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@

9 changes: 9 additions & 0 deletions lambda/skill_env/alexa/data.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,9 @@
from gettext import gettext as _

WELCOME_MESSAGE = _(
"Welcome, you can say Hello or Help. Which would you like to try?")
HELLO_MSG = _("Hello Python World from Classes!")
HELP_MSG = _("You can say hello to me! How can I help?")
GOODBYE_MSG = _("Goodbye!")
REFLECTOR_MSG = _("You just triggered {}")
ERROR = _("Sorry, I had trouble doing what you asked. Please try again.")
198 changes: 198 additions & 0 deletions lambda/skill_env/hello_world.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,198 @@
# -*- coding: utf-8 -*-

# This sample demonstrates handling intents from an Alexa skill using the Alexa Skills Kit SDK for Python.
# Please visit https://alexa.design/cookbook for additional examples on implementing slots, dialog management,
# session persistence, api calls, and more.
# This sample is built using the handler classes approach in skill builder.
import logging
import gettext

from ask_sdk_core.skill_builder import SkillBuilder
from ask_sdk_core.dispatch_components import (
AbstractRequestHandler, AbstractRequestInterceptor, AbstractExceptionHandler)
import ask_sdk_core.utils as ask_utils
from ask_sdk_core.handler_input import HandlerInput

from ask_sdk_model import Response
from alexa import data

logger = logging.getLogger(__name__)
logger.setLevel(logging.INFO)


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

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

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

def handle(self, handler_input):
# type: (HandlerInput) -> Response
_ = handler_input.attributes_manager.request_attributes["_"]
speak_output = _(data.WELCOME_MESSAGE)

return (
handler_input.response_builder
.speak(speak_output)
.ask(speak_output)
.response
)


class HelloWorldIntentHandler(AbstractRequestHandler):
"""Handler for Hello World Intent."""

def can_handle(self, handler_input):
# type: (HandlerInput) -> bool
return ask_utils.is_intent_name("HelloWorldIntent")(handler_input)

def handle(self, handler_input):
# type: (HandlerInput) -> Response
_ = handler_input.attributes_manager.request_attributes["_"]
speak_output = _(data.HELLO_MSG)

return (
handler_input.response_builder
.speak(speak_output)
# .ask("add a reprompt if you want to keep the session open for the user to respond")
.response
)


class HelpIntentHandler(AbstractRequestHandler):
"""Handler for Help Intent."""

def can_handle(self, handler_input):
# type: (HandlerInput) -> bool
return ask_utils.is_intent_name("AMAZON.HelpIntent")(handler_input)

def handle(self, handler_input):
# type: (HandlerInput) -> Response
_ = handler_input.attributes_manager.request_attributes["_"]
speak_output = _(data.HELP_MSG)

return (
handler_input.response_builder
.speak(speak_output)
.ask(speak_output)
.response
)


class CancelOrStopIntentHandler(AbstractRequestHandler):
"""Single handler for Cancel and Stop Intent."""

def can_handle(self, handler_input):
# type: (HandlerInput) -> bool
return (ask_utils.is_intent_name("AMAZON.CancelIntent")(handler_input) or
ask_utils.is_intent_name("AMAZON.StopIntent")(handler_input))

def handle(self, handler_input):
# type: (HandlerInput) -> Response
_ = handler_input.attributes_manager.request_attributes["_"]
speak_output = _(data.GOODBYE_MSG)

return (
handler_input.response_builder
.speak(speak_output)
.response
)


class SessionEndedRequestHandler(AbstractRequestHandler):
"""Handler for Session End."""

def can_handle(self, handler_input):
# type: (HandlerInput) -> bool
return ask_utils.is_request_type("SessionEndedRequest")(handler_input)

def handle(self, handler_input):
# type: (HandlerInput) -> Response

# Any cleanup logic goes here.

return handler_input.response_builder.response


class IntentReflectorHandler(AbstractRequestHandler):
"""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.
"""

def can_handle(self, handler_input):
# type: (HandlerInput) -> bool
return ask_utils.is_request_type("IntentRequest")(handler_input)

def handle(self, handler_input):
# type: (HandlerInput) -> Response
_ = handler_input.attributes_manager.request_attributes["_"]
intent_name = ask_utils.get_intent_name(handler_input)
speak_output = _(data.REFLECTOR_MSG).format(intent_name)

return (
handler_input.response_builder
.speak(speak_output)
# .ask("add a reprompt if you want to keep the session open for the user to respond")
.response
)


class CatchAllExceptionHandler(AbstractExceptionHandler):
"""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.
"""

def can_handle(self, handler_input, exception):
# type: (HandlerInput, Exception) -> bool
return True

def handle(self, handler_input, exception):
# type: (HandlerInput, Exception) -> Response
logger.error(exception, exc_info=True)
_ = handler_input.attributes_manager.request_attributes["_"]
speak_output = _(data.ERROR)

return (
handler_input.response_builder
.speak(speak_output)
.ask(speak_output)
.response
)


class LocalizationInterceptor(AbstractRequestInterceptor):
"""
Add function to request attributes, that can load locale specific data
"""

def process(self, handler_input):
locale = handler_input.request_envelope.request.locale
i18n = gettext.translation(
'data', localedir='locales', languages=[locale], fallback=True)
handler_input.attributes_manager.request_attributes["_"] = i18n.gettext

# The SkillBuilder object 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.


sb = SkillBuilder()

sb.add_request_handler(LaunchRequestHandler())
sb.add_request_handler(HelloWorldIntentHandler())
sb.add_request_handler(HelpIntentHandler())
sb.add_request_handler(CancelOrStopIntentHandler())
sb.add_request_handler(SessionEndedRequestHandler())
# make sure IntentReflectorHandler is last so it doesn't override your custom intent handlers
sb.add_request_handler(IntentReflectorHandler())

sb.add_global_request_interceptor(LocalizationInterceptor())

sb.add_exception_handler(CatchAllExceptionHandler())

handler = sb.lambda_handler()
41 changes: 41 additions & 0 deletions lambda/skill_env/locales/data.pot
Original file line number Diff line number Diff line change
@@ -0,0 +1,41 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR ORGANIZATION
# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
#
msgid ""
msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"POT-Creation-Date: 2019-10-22 22:44+Eastern Daylight Time\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language-Team: LANGUAGE <[email protected]>\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=CHARSET\n"
"Content-Transfer-Encoding: ENCODING\n"
"Generated-By: pygettext.py 1.5\n"


#: data.py:3
msgid "Welcome, you can say Hello or Help. Which would you like to try?"
msgstr ""

#: data.py:5
msgid "Hello Python World from Classes!"
msgstr ""

#: data.py:6
msgid "You can say hello to me! How can I help?"
msgstr ""

#: data.py:7
msgid "Goodbye!"
msgstr ""

#: data.py:8
msgid "You just triggered {}"
msgstr ""

#: data.py:9
msgid "Sorry, I had trouble doing what you asked. Please try again."
msgstr ""

Binary file added lambda/skill_env/locales/de-DE/LC_MESSAGES/data.mo
Binary file not shown.
42 changes: 42 additions & 0 deletions lambda/skill_env/locales/de-DE/LC_MESSAGES/data.po
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR ORGANIZATION
# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
#
msgid ""
msgstr ""
"Project-Id-Version: \n"
"POT-Creation-Date: 2019-10-22 22:44+Eastern Daylight Time\n"
"PO-Revision-Date: 2019-10-22 22:45-0400\n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: pygettext.py 1.5\n"
"X-Generator: Poedit 2.2.4\n"
"Last-Translator: \n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"Language: de_DE\n"

#: data.py:3
msgid "Welcome, you can say Hello or Help. Which would you like to try?"
msgstr "Wilkommen, du kannst Hallo oder Hilfe sagen. Was würdest du gern tun?"

#: data.py:5
msgid "Hello Python World from Classes!"
msgstr "Hallo!"

#: data.py:6
msgid "You can say hello to me! How can I help?"
msgstr "Du kannst hallo zu mir sagen. Wie kann ich dir helfen?"

#: data.py:7
msgid "Goodbye!"
msgstr "Tschüss!"

#: data.py:8
msgid "You just triggered {}"
msgstr "Du hast gerade {} ausgelöst"

#: data.py:9
msgid "Sorry, I had trouble doing what you asked. Please try again."
msgstr "Es tut mir leid, ich konnte das nicht machen. Bitte versuche es erneut."
Binary file added lambda/skill_env/locales/es-ES/LC_MESSAGES/data.mo
Binary file not shown.
42 changes: 42 additions & 0 deletions lambda/skill_env/locales/es-ES/LC_MESSAGES/data.po
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR ORGANIZATION
# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
#
msgid ""
msgstr ""
"Project-Id-Version: \n"
"POT-Creation-Date: 2019-10-22 22:44+Eastern Daylight Time\n"
"PO-Revision-Date: 2019-10-22 22:47-0400\n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: pygettext.py 1.5\n"
"X-Generator: Poedit 2.2.4\n"
"Last-Translator: \n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"Language: es_ES\n"

#: data.py:3
msgid "Welcome, you can say Hello or Help. Which would you like to try?"
msgstr "Bienvenido, puedes decir Hola o Ayuda. Cual prefieres?"

#: data.py:5
msgid "Hello Python World from Classes!"
msgstr "'Hola Mundo!"

#: data.py:6
msgid "You can say hello to me! How can I help?"
msgstr "Puedes decirme hola. Cómo te puedo ayudar?"

#: data.py:7
msgid "Goodbye!"
msgstr "Hasta luego!"

#: data.py:8
msgid "You just triggered {}"
msgstr "Acabas de activar {}"

#: data.py:9
msgid "Sorry, I had trouble doing what you asked. Please try again."
msgstr "Lo siento, ha habido un error. Por favor inténtalo otra vez."
Binary file added lambda/skill_env/locales/es-MX/LC_MESSAGES/data.mo
Binary file not shown.
42 changes: 42 additions & 0 deletions lambda/skill_env/locales/es-MX/LC_MESSAGES/data.po
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR ORGANIZATION
# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
#
msgid ""
msgstr ""
"Project-Id-Version: \n"
"POT-Creation-Date: 2019-10-22 22:44+Eastern Daylight Time\n"
"PO-Revision-Date: 2019-10-22 22:47-0400\n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: pygettext.py 1.5\n"
"X-Generator: Poedit 2.2.4\n"
"Last-Translator: \n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"Language: es_ES\n"

#: data.py:3
msgid "Welcome, you can say Hello or Help. Which would you like to try?"
msgstr "Bienvenido, puedes decir Hola o Ayuda. Cual prefieres?"

#: data.py:5
msgid "Hello Python World from Classes!"
msgstr "'Hola Mundo!"

#: data.py:6
msgid "You can say hello to me! How can I help?"
msgstr "Puedes decirme hola. Cómo te puedo ayudar?"

#: data.py:7
msgid "Goodbye!"
msgstr "Hasta luego!"

#: data.py:8
msgid "You just triggered {}"
msgstr "Acabas de activar {}"

#: data.py:9
msgid "Sorry, I had trouble doing what you asked. Please try again."
msgstr "Lo siento, ha habido un error. Por favor inténtalo otra vez."
Binary file added lambda/skill_env/locales/es-US/LC_MESSAGES/data.mo
Binary file not shown.
Loading