Alexa APIs

Amazon has integrated several APIs so users can leverage the Alexa’s configurations, device’s and user’s information.

Customer Contact Information Reference

When a customer enables your Alexa skill, your skill can request the customer’s permission to the their contact information, which includes name, email address and phone number, if the customer has consented. You can then use this data to support personalized intents to enhance the customer experience without account linking. For example, your skill may use customer contact information to make a reservation at a nearby restaurant and send a confirmation to the customer.

class CustomerContact(alexaEvent)
Arguments:
CustomerContact.getEmail()

Gets user’s email

Returns string:A string with user’s email address
CustomerContact.getGivenName()

Gets user’s given name

Returns string:A string with user’s given name
CustomerContact.getName()

Gets user’s full name

Returns string:A string with user’s full name
CustomerContact.getPhoneNumber()

Gets user’s phone number

Returns object:A JSON object with user’s phone number and country code
CustomerContact.getFullUserInformation()

Gets name or given name, phone number, and email address

Returns object:A JSON object with user’s info with the following structure
{
  "countryCode": "string",
  "email": "string",
  "givenName": "string",
  "name": "string",
  "phoneNumber": "string"
}

With Voxa, you can ask for the user’s full name like this:

app.onIntent('FullAddressIntent', async (voxaEvent) => {
  const name = await voxaEvent.alexa.customerContact.getName();

  voxaEvent.model.name = name;
  return { ask: 'CustomerContact.Name' };
});

Voxa also has a method to request all parameters at once:

app.onIntent('FullAddressIntent', async (voxaEvent) => {
  const info = await voxaEvent.alexa.customerContact.getFullUserInformation();
  const { countryCode, email, name, phoneNumber } = info;

  voxaEvent.model.countryCode = countryCode;
  voxaEvent.model.email = email;
  voxaEvent.model.name = name;
  voxaEvent.model.phoneNumber = phoneNumber;

  return { ask: 'CustomerContact.FullInfo' };
});

To send a card requesting user the permission to access their information, you can simply add the card object to the view in your views.js file with the following format:

ContactPermission: {
  tell: 'Before accessing your information, you need to give me permission. Go to your Alexa app, I just sent a link.',
  card: {
    type: 'AskForPermissionsConsent',
    permissions: [
      'alexa::profile:name:read',
      'alexa::profile:email:read',
      'alexa::profile:mobile_number:read'
    ],
  },
},

Device Address Information Reference

When a customer enables your Alexa skill, your skill can obtain the customer’s permission to use address data associated with the customer’s Alexa device. You can then use this address data to provide key functionality for the skill, or to enhance the customer experience. For example, your skill could provide a list of nearby store locations or provide restaurant recommendations using this address information. This document describes how to enable this capability and query the Device Address API for address data.

Note that the address entered in the Alexa device may not represent the current physical address of the device. This API uses the address that the customer has entered manually in the Alexa app, and does not have any capability of testing for GPS or other location-based data.

class DeviceAddress(alexaEvent)
Arguments:
DeviceAddress.getAddress()

Gets full address info

Returns object:A JSON object with the full address info
DeviceAddress.getCountryRegionPostalCode()

Gets country/region and postal code

Returns object:A JSON object with country/region info

With Voxa, you can ask for the full device’s address like this:

app.onIntent('FullAddressIntent', async (voxaEvent) => {
  const info = await voxaEvent.alexa.deviceAddress.getAddress();

  voxaEvent.model.deviceInfo = `${info.addressLine1}, ${info.city}, ${info.countryCode}`;
  return { ask: 'DeviceAddress.FullAddress' };
});

You can decide to only get the country/region and postal code. You can do it this way:

app.onIntent('PostalCodeIntent', async (voxaEvent) => {
  const info = await voxaEvent.alexa.deviceAddress.getCountryRegionPostalCode();

  voxaEvent.model.deviceInfo = `${info.postalCode}, ${info.countryCode}`;
  return { ask: 'DeviceAddress.PostalCode' };
});

To send a card requesting user the permission to access the device address info, you can simply add the card object to the view in your views.js file with the following format:

FullAddressPermision: {
  tell: 'Before accessing your full address, you need to give me permission. Go to your Alexa app, I just sent a link.',
  card: {
    type: 'AskForPermissionsConsent',
    permissions: [
      'read::alexa:device:all:address',
    ],
  },
},

PostalCodePermission: {
  tell: 'Before accessing your postal code, you need to give me permission. Go to your Alexa app, I just sent a link.',
  card: {
    type: 'AskForPermissionsConsent',
    permissions: [
      'read::alexa:device:all:address:country_and_postal_code',
    ],
  },
},

Device Settings Reference

Alexa customers can set their timezone, distance measuring unit, and temperature measurement unit in the Alexa app. The Alexa Settings APIs allow developers to retrieve customer preferences for these settings in a unified view.

class DeviceSettings(voxaEvent)
Arguments:
DeviceSettings.getDistanceUnits()

Gets distance units

Returns string:A string with the distance units
DeviceSettings.getTemperatureUnits()

Gets temperature units

Returns string:A string with the temperature units
DeviceSettings.getTimezone()

Gets timezone

Returns string:A string with the timezone value
DeviceSettings.getSettings()

Gets all settings details

Returns object:A JSON object with device’s info with the following structure
{
  "distanceUnits": "string",
  "temperatureUnits": "string",
  "timezone": "string"
}

With Voxa, you can ask for the full device’s address like this:

app.onIntent('FullSettingsIntent', async (voxaEvent) => {
  const info = await voxaEvent.alexa.deviceSettings.getSettings();

  voxaEvent.model.settingsInfo = `${info.distanceUnits}, ${info.temperatureUnits}, ${info.timezone}`;
  return { ask: 'DeviceSettings.FullSettings' };
});

You don’t need to request to the user the permission to access the device settings info.

In-Skill Purchases Reference

The in-skill purchasing feature enables you to sell premium content such as game features and interactive stories for use in skills with a custom interaction model.

Buying these products in a skill is seamless to a user. They may ask to shop products, buy products by name, or agree to purchase suggestions you make while they interact with a skill. Customers pay for products using the payment options associated with their Amazon account.

For more information about setting up ISP with the ASK CLI follow this link. And to understand what’s the process behind the ISP requests and responses to the Alexa Service click here.

With Voxa, you can implement all ISP features like buying, refunding and upselling an item:

app.onIntent('BuyIntent', async (voxaEvent) => {
  const { productName } = voxaEvent.intent.params;
  const token = 'startState';
  const buyDirective = await voxaEvent.alexa.isp.buyByReferenceName(productName, token);

  return { alexaConnectionsSendRequest: buyDirective };
});

app.onIntent('RefundIntent', async (voxaEvent) => {
  const { productName } = voxaEvent.intent.params;
  const token = 'startState';
  const buyDirective = await voxaEvent.alexa.isp.cancelByReferenceName(productName, token);

  return { alexaConnectionsSendRequest: buyDirective };
});

You can also check if the ISP feature is allowed in a locale or the account is correctly setup in the markets ISP works just by checking with the isAllowed() function.

app.onIntent('UpsellIntent', async (voxaEvent) => {
  if (!voxaEvent.alexa.isp.isAllowed()) {
    return { ask: 'ISP.Invalid', to: 'entry' };
  }

  const { productName } = voxaEvent.intent.params;
  const token = 'startState';
  const buyDirective = await voxaEvent.alexa.isp.upsellByReferenceName(productName, upsellMessage, token);

  return { alexaConnectionsSendRequest: buyDirective };
});

To get the full list of products and know which ones have been purchased, you can do it like this:

app.onIntent('ProductsIntent', async (voxaEvent) => {
  const list = await voxaEvent.alexa.isp.getProductList();

  voxaEvent.model.productArray = list.inSkillProducts.map(x => x.referenceName);

  return { ask: 'Products.List', to: 'entry' };
});

When users accept or refuse to buy/cancel an item, Alexa sends a Connections.Response directive. A very simple example on how the Connections.Response JSON request from Alexa looks like is:

{
  "type": "Connections.Response",
  "requestId": "string",
  "timestamp": "string",
  "name": "Upsell",
  "status": {
    "code": "string",
    "message": "string"
  },
  "payload": {
    "purchaseResult": "ACCEPTED",
    "productId": "string",
    "message": "optional additional message"
  },
  "token": "string"
}

Alexa Shopping and To-Do Lists Reference

Alexa customers have access to two default lists: Alexa to-do and Alexa shopping. In addition, Alexa customer can create and manage custom lists in a skill that supports that.

Customers can review and modify their Alexa lists using voice through a device with Alexa or via the Alexa app. For example, a customer can tell Alexa to add items to the Alexa Shopping List at home, and then while at the store, view the items via the Alexa app, and check them off.

class Lists(alexaEvent)
Arguments:
Lists.getDefaultShoppingList()

Gets info for the Alexa default Shopping list

Returns Object:A JSON object with the Shopping list info
Lists.getDefaultToDoList()

Gets info for the Alexa default To-Do list

Returns Object:A JSON object with the To-Do list info
Lists.getListMetadata()

Gets list metadata for all user’s lists including the default list

Returns Array:An object array
Lists.getListById(listId, status = 'active')

Gets specific list by id and status

Arguments:
  • listId – List ID.
  • status – list status, defaults to active (only value accepted for now)
Returns Object:

A JSON object with the specific list info.

Lists.getOrCreateList(name)

Looks for a list by name and returns it, if it is not found, it creates a new list with that name and returns it.

Arguments:
  • name – List name.
Returns Object:

A JSON object with the specific list info.

Lists.createList(name, state = 'active')

Creates a new list with the name and state.

Arguments:
  • name – List name.
  • active – list status, defaults to active (only value accepted for now)
Returns Object:

A JSON object with the specific list info.

Lists.updateList(listId, name, state = 'active', version)

Updates list with the name, state, and version.

Arguments:
  • listId – List ID.
  • state – list status, defaults to active (only value accepted for now)
  • version – List version.
Returns Object:

A JSON object with the specific list info.

Lists.deleteList(listId)

Deletes a list by ID.

Arguments:
  • listId – List ID.
Returns:

undefined. HTTP response with 200 or error if any.

Lists.getListItem(listId, itemId)

Creates a new list with the name and state.

Arguments:
  • listId – List ID.
  • itemId – Item ID.
Returns Object:

A JSON object with the specific list info.

Lists.createItem(listId, value, status = 'active')

Creates a new list with the name and state.

Arguments:
  • listId – List ID.
  • value – Item name.
  • status – item status, defaults to active. Other values accepted: ‘completed’
Returns Object:

A JSON object with the specific item info.

Lists.updateItem(listId, itemId, value, status, version)

Creates a new list with the name and state.

Arguments:
  • listId – List ID.
  • itemId – Item ID.
  • value – Item name.
  • status – Item status. Values accepted: ‘active | completed’
Returns Object:

A JSON object with the specific item info.

Lists.deleteItem(listId, itemId)

Creates a new list with the name and state.

Arguments:
  • listId – List ID.
  • itemId – Item ID.
Returns:

undefined. HTTP response with 200 or error if any.

With Voxa, you can implement all lists features. In this code snippet you will see how to check if a list exists, if not, it creates one. If it does exist, it will check if an item is already in the list and updates the list with a new version, if no, it adds it:

app.onIntent('AddItemToListIntent', async (voxaEvent) => {
  const { productName } = voxaEvent.intent.params;
  const listsMetadata = await voxaEvent.alexa.lists.getListMetadata();
  const listName = 'MY_CUSTOM_LIST';

  const listMeta = _.find(listsMetadata.lists, { name: listName });
  let itemInfo;
  let listInfo;

  if (listMeta) {
    listInfo = await voxaEvent.alexa.lists.getListById(listMeta.listId);
    itemInfo = _.find(listInfo.items, { value: productName });

    await voxaEvent.alexa.lists.updateList(listMeta.name, 'active', 2);
  } else {
    listInfo = await voxaEvent.alexa.lists.createList(listName);
  }

  if (itemInfo) {
    return { ask: 'List.ProductAlreadyInList' };
  }

  await voxaEvent.alexa.lists.createItem(listInfo.listId, productName);

  return { ask: 'List.ProductCreated' };
});

There’s also a faster way to consult and/or create a list. Follow this example:

app.onIntent('AddItemToListIntent', async (voxaEvent) => {
  const { productName } = voxaEvent.intent.params;
  const listName = 'MY_CUSTOM_LIST';

  const listInfo = await voxaEvent.alexa.lists.getOrCreateList(listName);
  const itemInfo = _.find(listInfo.items, { value: productName });

  if (itemInfo) {
    return { ask: 'List.ProductAlreadyInList' };
  }

  await voxaEvent.alexa.lists.createItem(listInfo.listId, productName);

  return { ask: 'List.ProductCreated' };
});

Let’s review another example. Let’s say we have an activity in the default To-Do list and we want to mark it as completed. For that, we need to pull down the items from the default To-Do list, find our item and modify it:

app.onIntent('CompleteActivityIntent', async (voxaEvent) => {
  const { activity } = voxaEvent.intent.params;

  const listInfo = await voxaEvent.alexa.lists.getDefaultToDoList();
  const itemInfo = _.find(listInfo.items, { value: activity });

  await voxaEvent.alexa.lists.updateItem(
    listInfo.listId,
    itemInfo.id,
    activity,
    'completed',
    2);

  return { ask: 'List.ActivityCompleted' };
});

Let’s check another example. Let’s say users want to remove an item in their default shopping list that they had already marked as completed. We’re going to first fetch the default shopping list’s info, then look for the product to remove, we’re going to first check if the product is marked as completed to then delete it:

app.onIntent('RemoveProductIntent', async (voxaEvent) => {
  const { productId } = voxaEvent.model;

  const listInfo = await voxaEvent.alexa.lists.getDefaultShoppingList();
  const itemInfo = await voxaEvent.alexa.lists.getListItem(listInfo.listId, productId);

  if (itemInfo.status === 'active') {
    return { ask: 'List.ConfirmProductDeletion', to: 'wantToDeleteActiveProduct?' };
  }

  await voxaEvent.alexa.lists.deleteItem(listInfo.listId, productId);

  return { ask: 'List.ProductRemoved' };
});

Finally, if you want to remove the list you had created:

app.onIntent('DeleteListIntent', async (voxaEvent) => {
  const listName = 'MY_CUSTOM_LIST';

  const listInfo = await voxaEvent.alexa.lists.getOrCreateList(listName);
  await voxaEvent.alexa.lists.deleteList(listInfo.listId);

  return { ask: 'List.ListRemoved' };
});

To send a card requesting user the permission to read/write Alexa lists, you can simply add the card object to the view in your views.js file with the following format:

NeedShoppingListPermission: {
  tell: 'Before adding an item to your list, you need to give me permission. Go to your Alexa app, I just sent a link.',
  card: {
    type: 'AskForPermissionsConsent',
    permissions: [
      'read::alexa:household:list',
      'write::alexa:household:list',
    ],
  },
},

Alexa Reminders API Reference

Use the Alexa Reminders API to create and manage reminders from your skill. This reference describes the available operations for the Alexa Reminders API.

Note that you need to modify your skill manifest by adding the reminder permission:

class Reminders(alexaEvent)
Arguments:
Reminders.getReminder()

Gets a reminder

Arguments:
  • alertToken – Reminder’s ID.
Returns object:

A JSON object with the reminder’s details

Reminders.getAllReminders()

Gets all reminders

Returns object:A JSON object with an array of the reminder’s details
Reminders.createReminder(reminder)

Creates a reminder

Arguments:
  • reminder – Reminder Builder Object.
Returns object:

A JSON object with the details of reminder’s creation

Reminders.updateReminder(alertToken, reminder)

Updates a reminder

Arguments:
  • alertToken – Reminder’s ID.
  • reminder – Reminder Builder Object.
Returns object:

A JSON object with the details of reminder’s update

Reminders.deleteReminder(alertToken)

Deletes a reminder

Arguments:
  • alertToken – Reminder’s ID.
Returns object:

A JSON object with the details of reminder’s deletion

class ReminderBuilder()
ReminderBuilder.setCreatedTime(createdTime)

Sets created time

Arguments:
  • createdTime – Reminder’s creation time.
Returns object:

A ReminderBuilder object

ReminderBuilder.setRequestTime(requestTime)

Sets request time

Arguments:
  • requestTime – Reminder’s request time.
Returns object:

A ReminderBuilder object

ReminderBuilder.setTriggerAbsolute(scheduledTime)

Sets the reminder trigger as absolute

Arguments:
  • scheduledTime – Reminder’s scheduled time.
Returns object:

A ReminderBuilder object

ReminderBuilder.setTriggerRelative(offsetInSeconds)

Sets the reminder trigger as relative

Arguments:
  • offsetInSeconds – Reminder’s offset in seconds.
Returns object:

A ReminderBuilder object

ReminderBuilder.setTimeZoneId(timeZoneId)

Sets time zone Id

Arguments:
  • timeZoneId – Reminder’s time zone.
Returns object:

A ReminderBuilder object

ReminderBuilder.setRecurrenceFreqDaily()

Sets reminder’s recurrence frequence to “DAILY”

Returns object:A ReminderBuilder object
ReminderBuilder.setRecurrenceFreqWeekly()

Sets reminder’s recurrence frequence to “WEEKLY”

Returns object:A ReminderBuilder object
ReminderBuilder.setRecurrenceByDay(recurrenceByDay)

Sets frequency by day

Arguments:
  • recurrenceByDay – Array of frequency by day.
Returns object:

A ReminderBuilder object

ReminderBuilder.setRecurrenceInterval(interval)

Sets reminder’s interval

Arguments:
  • interval – Reminder’s interval
Returns object:

A ReminderBuilder object

ReminderBuilder.addContent(locale, text)

Sets reminder’s content

Arguments:
  • locale – Reminder’s locale
  • text – Reminder’s text
Returns object:

A ReminderBuilder object

ReminderBuilder.enablePushNotification()

Sets reminder’s push notification status to “ENABLED”

Returns object:A ReminderBuilder object
ReminderBuilder.disablePushNotification()

Sets reminder’s push notification status to “DISABLED”

Returns object:A ReminderBuilder object

With Voxa, you can create, update, delete and get reminders like this:

const { ReminderBuilder } = require("voxa");

app.onIntent('CreateReminderIntent', async (voxaEvent) => {
  const reminder = new ReminderBuilder()
    .setCreatedTime("2018-12-11T14:05:38.811")
    .setTriggerAbsolute("2018-12-12T12:00:00.000")
    .setTimeZoneId("America/Denver")
    .setRecurrenceFreqDaily()
    .addContent("en-US", "CREATION REMINDER TEST")
    .enablePushNotification();

  const reminderResponse = await voxaEvent.alexa.reminders.createReminder(reminder);

  voxaEvent.model.reminder = reminderResponse;
  return { tell: "Reminder.Created" };
});

app.onIntent('UpdateReminderIntent', async (voxaEvent) => {
  const alertToken = '1234-5678-9012-3456';
  const reminder = new ReminderBuilder()
    .setRequestTime("2018-12-11T14:05:38.811")
    .setTriggerAbsolute("2018-12-12T12:00:00.000")
    .setTimeZoneId("America/Denver")
    .setRecurrenceFreqDaily()
    .addContent("en-US", "CREATION REMINDER TEST")
    .enablePushNotification();

  const reminderResponse = await voxaEvent.alexa.reminders.updateReminder(alertToken, reminder);

  voxaEvent.model.reminder = reminderResponse;
  return { tell: "Reminder.Updated" };
});

app.onIntent('UpdateReminderIntent', async (voxaEvent) => {
  const alertToken = '1234-5678-9012-3456';
  const reminderResponse = await voxaEvent.alexa.reminders.deleteReminder(alertToken);

  return { tell: "Reminder.Deleted" };
});

app.onIntent('GetReminderIntent', async (voxaEvent) => {
  const alertToken = '1234-5678-9012-3456';
  const reminderResponse = await voxaEvent.alexa.reminders.getReminder(alertToken);

  voxaEvent.model.reminder = reminderResponse.alerts[0];
  return { tell: "Reminder.Get" };
});

app.onIntent('GetAllRemindersIntent', async (voxaEvent) => {
  const reminderResponse = await voxaEvent.alexa.reminders.getAllReminders();

  voxaEvent.model.reminders = reminderResponse.alerts;
  return { tell: "Reminder.Get" };
});

Skill Messaging API Reference

The Skill Messaging API is used to send message requests to skills. These methods are meant to work for out-of-session operations, so you will not likely use it in the skill code. However, you might have a separate file inside your Voxa project to work with some automated triggers like CloudWatch Events or SQS functions. In that case, your file has access to the voxa package, thus, you can take advantage of these methods.

class Messaging(clientId, clientSecret)
Arguments:
  • clientId – Client ID to call Messaging API.
  • clientSecret – Client Secret to call Messaging API.
Messaging.sendMessage()

Sends message to a skill

Arguments:
  • request – Message request params with the following structure:
{
  endpoint: string, // User's endpoint.
  userId: string, // User's userId.
  data: any, // Object with key-value pairs to send to the skill.
  expiresAfterSeconds: number, // Expiration time in milliseconds, defaults to 3600 milliseconds.
}

:returns: undefined

In the following example, you’ll see a simple code of a lambda function which calls your database to fetch users to whom you’ll send a reminder with the Reminder API, the message is sent via Messaging API:

'use strict';

const Promise = require('bluebird');
const { Messaging } = require('voxa');

const Storage = require('./Storage');

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

exports.handler = async (event, context, callback) => {
  const usersOptedIn = await Storage.getUsers();
  const messaging = new Messaging(CLIENT_ID, CLIENT_SECRET);

  await Promise.map(usersOptedIn, (user) => {
    const data = {
      timezone: user.timezone,
      title: user.reminderTitle,
      when: user.reminderTime,
    };

    const request = {
      endpoint: user.endpoint,
      userId: user.userId,
      data,
    };

    return messaging.sendMessage(request)
      .catch((err) => {
        console.log('ERROR SENDING MESSAGE', err);

        return null;
      });
  });

  callback(undefined, "OK");
};

This will dispatch a ‘Messaging.MessageReceived’ request to every user and you can handle the code in Voxa like this:

const { ReminderBuilder } = require("voxa");

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const reminderData = voxaEvent.rawEvent.request.message;

  const reminder = new ReminderBuilder()
    .setCreatedTime("2018-12-11T14:05:38.811")
    .setTriggerAbsolute(reminderData.when)
    .setTimeZoneId(reminderData.timezone)
    .setRecurrenceFreqDaily()
    .addContent("en-US", reminderData.title)
    .enablePushNotification();

  await voxaEvent.alexa.reminders.createReminder(reminder);

  return reply;
});

The main advantage of sending a message with the Messaging API is that it generates a new access token valid for 1 hour. This is important for out-of-session operations where you don’t have access to a valid access token. The event sent to your skill now has a new access token valid for 1 hour. So now, you can use it to call any Alexa API that requires an access token in the authorization headers. The request object of the event looks like this:

"request": {
  "type": "Messaging.MessageReceived",
  "requestId": "amzn1.echo-api.request.VOID",
  "timestamp": "2018-12-17T22:06:28Z",
  "message": {
    "name": "John"
  }
}

Proactive Events API Reference

The ProactiveEvents API enables Alexa Skill Developers to send events to Alexa, which represent factual data that may interest a customer. Upon receiving an event, Alexa proactively delivers the information to customers subscribed to receive these events. This API currently supports one proactive channel, Alexa Notifications. As more proactive channels are added in the future, developers will be able to take advantage of them without requiring integration with a new API.

class ProactiveEvents(clientId, clientSecret)
Arguments:
  • clientId – Client ID to call Messaging API.
  • clientSecret – Client Secret to call Messaging API.
ProactiveEvents.createEvent()

Creates proactive event

Arguments:
  • endpoint – User’s default endpoint
  • body – Event’s body
  • isDevelopment – Flag to define if the event is sent to development stage. If false, then it goes to live skill
Returns:

undefined

This API is meant to work as an out-of-session task, so you’d need to use the Messaging API if you want to send a notification triggered by your server. The following examples show how you can use the different schemas to send proactive events (formerly Notifications):

  • WeatherAlertEventsBuilder
const { ProactiveEvents, WeatherAlertEventsBuilder } = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: WeatherAlertEventsBuilder = new WeatherAlertEventsBuilder();
  event
    .setHurricane()
    .addContent("en-US", "source", eventData.localizedValue)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • SportsEventBuilder
const { ProactiveEvents, SportsEventBuilder } = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: SportsEventBuilder = new SportsEventBuilder();
  event
    .setAwayTeamStatistic("Boston Red Sox", 5)
    .setHomeTeamStatistic("New York Yankees", 2)
    .setUpdate("Boston Red Sox", 5)
    .addContent("en-US", "eventLeagueName", eventData.localizedValue)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • MessageAlertEventBuilder
const {
  MESSAGE_ALERT_FRESHNESS,
  MESSAGE_ALERT_STATUS,
  MESSAGE_ALERT_URGENCY,
  MessageAlertEventBuilder,
  ProactiveEvents,
} = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: MessageAlertEventBuilder = new MessageAlertEventBuilder();
  event
    .setMessageGroup(eventData.creatorName, eventData.count, MESSAGE_ALERT_URGENCY.URGENT)
    .setState(MESSAGE_ALERT_STATUS.UNREAD, MESSAGE_ALERT_FRESHNESS.NEW)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • OrderStatusEventBuilder
const {
  ORDER_STATUS,
  OrderStatusEventBuilder,
  ProactiveEvents,
} = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: OrderStatusEventBuilder = new OrderStatusEventBuilder();
  event
    .setStatus(ORDER_STATUS.ORDER_DELIVERED, eventData.expectedArrival, eventData.enterTimestamp)
    .addContent("en-US", "sellerName", eventData.localizedValue)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • OccasionEventBuilder
const {
  OCCASION_CONFIRMATION_STATUS,
  OCCASION_TYPE,
  OccasionEventBuilder,
  ProactiveEvents,
} = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: OccasionEventBuilder = new OccasionEventBuilder();
  event
    .setOccasion(eventData.bookingType, OCCASION_TYPE.APPOINTMENT)
    .setStatus(OCCASION_CONFIRMATION_STATUS.CONFIRMED)
    .addContent("en-US", "brokerName", eventData.brokerName)
    .addContent("en-US", "providerName", eventData.providerName)
    .addContent("en-US", "subject", eventData.subject)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • TrashCollectionAlertEventBuilder
const {
  GARBAGE_COLLECTION_DAY,
  GARBAGE_TYPE,
  TrashCollectionAlertEventBuilder,
  ProactiveEvents,
} = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: TrashCollectionAlertEventBuilder = new TrashCollectionAlertEventBuilder();
  event
    .setAlert(GARBAGE_COLLECTION_DAY.MONDAY,
      GARBAGE_TYPE.BOTTLES,
      GARBAGE_TYPE.BULKY,
      GARBAGE_TYPE.CANS,
      GARBAGE_TYPE.CLOTHING)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • MediaContentEventBuilder
const {
  MEDIA_CONTENT_METHOD,
  MEDIA_CONTENT_TYPE,
  MediaContentEventBuilder,
  ProactiveEvents,
} = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: MediaContentEventBuilder = new MediaContentEventBuilder();
  event
    .setAvailability(MEDIA_CONTENT_METHOD.AIR)
    .setContentType(MEDIA_CONTENT_TYPE.ALBUM)
    .addContent("en-US", "providerName", eventData.providerName)
    .addContent("en-US", "contentName", eventData.contentName)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});
  • SocialGameInviteEventBuilder
const {
  SOCIAL_GAME_INVITE_TYPE,
  SOCIAL_GAME_RELATIONSHIP_TO_INVITEE,
  SocialGameInviteEventBuilder,
  ProactiveEvents,
} = require("voxa");

const CLIENT_ID = 'CLIENT_ID';
const CLIENT_SECRET = 'CLIENT_SECRET';

app["onMessaging.MessageReceived"](async (voxaEvent, reply) => {
  const eventData = voxaEvent.rawEvent.request.message;

  const event: SocialGameInviteEventBuilder = new SocialGameInviteEventBuilder();
  event
    .setGame(SOCIAL_GAME_OFFER.GAME)
    .setInvite(eventData.name, SOCIAL_GAME_INVITE_TYPE.CHALLENGE, SOCIAL_GAME_RELATIONSHIP_TO_INVITEE.CONTACT)
    .addContent("en-US", "gameName", eventData.localizedValue)
    .setReferenceId(eventData.referenceId)
    .setTimestamp(eventData.timestamp)
    .setExpiryTime(eventData.expiryTime)
    .setUnicast(eventData.userId);

  const proactiveEvents = new ProactiveEvents(CLIENT_ID, CLIENT_SECRET);
  await proactiveEvents.createEvent(endpoint, event, true);

  return reply;
});