Я новичок в node.js, и я пытаюсь создать чат-бота, используя Dialogflow, который позволяет вам планировать встречу и вставляет вашу встречу в Календарь Google. Кажется, я все время получаю одну и ту же ошибку (без обработчика запрошенного намерения), что бы я ни пытался. Кто-нибудь видит, что может быть не так, или пробовал этот учебник и работает ли он?
Что я пробовал:
- Обновлены мои зависимости в пакете. json
- Исправлены часовой пояс (я живу в Бельгии / Европе) и timeZoneOffset
- Подключил платежный аккаунт к проекту в Google Cloud Platform
Это учебное пособие, которому я следовал:
GoogleCalendar Github
Это - скриншот указанного c намерения «Назначить встречу». Он автоматически переходит к ответу по умолчанию, но вместо этого он должен go to: Ok, let me see if we can fit you in. ${appointmentTimeString} is fine!.
В этом намерении есть пользовательская сущность: @AppointmentType с 2 вариантами: - регистрация транспортного средства - водительские права
в намерении На скриншоте также видно, что время дает дату сегодняшнего дня (в данном случае 2020-02-28), в то время как оно должно указывать запрошенную дату назначения (в данном случае 2020-03-10) Это может вызвать ошибку, но я не знаю, как это исправить в встроенном редакторе.
Мой индекс. js из встроенного редактора (идентификатор календаря и данные учетной записи службы верны, просто взяли это отсюда)
'use strict';
const functions = require('firebase-functions');
const {google} = require('googleapis');
const {WebhookClient} = require('dialogflow-fulfillment');
// const nodemailer = require('nodemailer');
// const xoauth2 = require('xoauth2');
const axios = require('axios');
// Enter your calendar ID below and service account JSON below
const calendarId = "CALENDAR ID";
const serviceAccount = {
"type": "service_account",
"project_id": "PROJECT ID",
"private_key_id": "PRIVATE KEY ID",
"private_key": "PRIVATE KEY",
"client_email": "CLIENT EMAIL",
"client_id": "CLIENT ID",
"auth_uri": "https://accounts.google.com/o/oauth2/auth",
"token_uri": "https://oauth2.googleapis.com/token",
"auth_provider_x509_cert_url": "https://www.googleapis.com/oauth2/v1/certs",
"client_x509_cert_url": "https://www.googleapis.com/robot/v1/metadata/x509/XXXXXXXXXXXXXXX.iam.gserviceaccount.com"
}; // Starts with {"type": "service_account",...
// Set up Google Calendar Service account credentials
const serviceAccountAuth = new google.auth.JWT({
email: serviceAccount.client_email,
key: serviceAccount.private_key,
scopes: 'https://www.googleapis.com/auth/calendar'
});
const calendar = google.calendar('v3');
process.env.DEBUG = 'dialogflow:*'; // enables lib debugging statements
const timeZone = 'Europe/Madrid';
const timeZoneOffset = '+01:00';
exports.dialogflowFirebaseFulfillment = functions.https.onRequest((request, response) => {
const agent = new WebhookClient({ request, response });
const appointment_type = agent.parameters.AppointmentType;
function makeAppointment (agent) {
// Calculate appointment start and end datetimes (end = +1hr from start)
const dateTimeStart = new Date(Date.parse(agent.parameters.date.split('T')[0] + 'T' + agent.parameters.time + timeZoneOffset));
// const dateTimeStart = new Date(Date.parse(agent.parameters.date.split('T')[0] + 'T' + agent.parameters.time.split('T')[1].split('+')[0]));
const dateTimeEnd = new Date(new Date(dateTimeStart).setHours(dateTimeStart.getHours() + 1));
const appointmentTimeString = dateTimeStart.toLocaleString(
'en-GB',
{ month: 'long', day: 'numeric', hour: 'numeric', timeZone: timeZone}
);
// Check the availibility of the time, and make an appointment if there is time on the calendar
return createCalendarEvent(dateTimeStart, dateTimeEnd, appointment_type).then(() => {
agent.add(`Ok, let me see if we can fit you in. ${appointmentTimeString} is fine!.`);
}).catch(() => {
agent.add(`I'm sorry, there are no slots available for ${appointmentTimeString}.`);
});
}
let intentMap = new Map();
intentMap.set('Schedule Appointment', makeAppointment);
agent.handleRequest(intentMap);
});
function createCalendarEvent (dateTimeStart, dateTimeEnd, appointment_type) {
return new Promise((resolve, reject) => {
calendar.events.list({
auth: serviceAccountAuth, // List events for time period
calendarId: calendarId,
timeMin: dateTimeStart.toISOString(),
timeMax: dateTimeEnd.toISOString()
}, (err, calendarResponse) => {
// Check if there is a event already on the Calendar
if (err || calendarResponse.data.items.length > 0) {
reject(err || new Error('Requested time conflicts with another appointment'));
} else {
// Create event for the requested time period
calendar.events.insert({ auth: serviceAccountAuth,
calendarId: calendarId,
resource: {summary: appointment_type +' Appointment', description: appointment_type,
start: {dateTime: dateTimeStart},
end: {dateTime: dateTimeEnd}}
}, (err, event) => {
err ? reject(err) : resolve(event);
}
);
}
});
});
}
Моя посылка. json:
{
"name": "dialogflowFirebaseFulfillment",
"description": "Dialogflow fulfillment for the bike shop sample",
"version": "0.0.1",
"private": true,
"license": "Apache Version 2.0",
"author": "Google Inc.",
"engines": {
"node": "6"
},
"scripts": {
"lint": "semistandard --fix \"**/*.js\"",
"start": "firebase deploy --only functions",
"deploy": "firebase deploy --only functions"
},
"dependencies": {
"firebase-functions": "^2.0.2",
"firebase-admin": "^5.13.1",
"actions-on-google": "^2.2.0",
"googleapis": "^27.0.0",
"dialogflow": "^0.6.0",
"dialogflow-fulfillment": "^0.5.0",
"nodemailer": "^4.4.2",
"apiai": "^4.0.3",
"xoauth2": "^1.2.0",
"axios": "^0.19.2"
}
}
Это ошибка, которую я получаю в своей программе просмотра журналов Google Cloud Platform: Ошибка Google Cloud Platform
Это ошибка I получить в моей консоли Firebase: Ошибка Firebase