Reputation: 2396
In my interaction model I defined a slot named city
that is optional, not required, to fulfill an intent.
I'm using the python ask sdk, so my handler is this:
class IntentHandler(RequestHandler):
"""
Intent handler
"""
def can_handle(self, handler_input):
# type: (HandlerInput) -> bool
return is_request_type("IntentRequest")(handler_input) and \
is_intent_name("ExampleIntent")(handler_input)
def handle(self, handler_input):
# type: (HandlerInput) -> Response
access_token = handler_input.request_envelope.context.system.user.access_token
if access_token is None:
raise Exception("no access_token provided")
speech = RESPONSE_MESSAGE_DEFAULT
handler_input.response_builder.speak(speech)
return handler_input.response_builder.response
How can I check if the slot was filled by the user and how can I get its value?
Upvotes: 11
Views: 7413
Reputation: 211
Per the docs found here, you could do something like this:
import ask_sdk_core.utils as ask_utils
slot = ask_utils.request_util.get_slot(handler_input, "slot_name")
if slot.value:
# do stuff
Upvotes: 4
Reputation: 8064
In your handler, you can do something like this:
slots = handler_input.request_envelope.request.intent.slots
city = slots['city']
if city.value:
# take me down to the paradise city
else:
# this city was not built on rock'n'roll
slots
is a dictionary of str: Slot
values, see the source code for Intent and Slot for more details.
Upvotes: 14