Как мне сбросить расход в автопилоте Twilio? - PullRequest
0 голосов
/ 28 февраля 2020

Я пытаюсь отменить или сбросить поток, в то время как ответ собирает вопрос, это необходимо, если клиент выбрал неправильный вариант, и он хочет отменить, но сейчас я просто прекращаю сбор, добавляя проверку для сбора и, когда завершено max_attempts , Я перенаправляю на main.

Я хочу написать CANCEL и перенаправить на Main, я попытался выполнить функцию, но проверки при сборе не позволяют мне отправить перенаправление с функции на Main Task.

Есть идеи?

Большое спасибо.

Это моя функция:

exports.handler = function(context, event, callback) {
var got = require('got');

var value = event.CurrentInput;

if(true){
    let responseObject = {
        "actions": [
            {
                "redirect": "task://greetings"
            }]
    };
    callback(null, responseObject); 
}};

Позже я позвонил в webhook, с onCollectAttempt но ничего не происходит, просто продолжайте поток. Соберите

Функция Webhook

1 Ответ

1 голос
/ 02 марта 2020

Twanio Developer Evangelist здесь.

Нет простого способа сделать это, так как текущая корзина JSON функции Collect не позволяет «отменять» или «сбрасывать», но здесь это потенциальный обходной путь для использования с динамической c Collect (вы используете Twilio Function , чтобы записать ее в Node.js вместо записи в JSON в консоли Autopilot .

Ниже у нас есть: 1. Набор вопросов, который нам нужен для сбора (для охвата многих сборов из одной функции нам понадобится что-то дополнительное, например, извлечение из db / их передача динамически) 2. Ключевые слова агента для используйте тот случай, когда мы можем использовать stati c проверку слова, например, инструктируя пользователя в любое время вводить «агент», чтобы быть направленным на человека.

//code courtesy of Evangelos Resvanis, Senior Solutions Engineer at Twilio 
const questions = [
    {
        "question": "You want to book appointment?",
        "name": "book"
    },
    {
        "question": "When do you need the appointment for?",
        "name": "appointment_date"
    },
    {
        "question": "And what time?",
        "name": "appointment_time"
    }
];
const agent_keywords = ["agent", "i want to speak to agent", "let me talk to someone"];
var stringSimilarity = require('string-similarity');
const COLLECT_TASK = "collect_task";
/*************************** Main Function ********************/
/*
This function generates the collect questions in steps. Each step we enter the function again and check the user input. We keep a counter to exit when 
the collect questions are exhausted.
Two main use cases examined (any use case can be built)
- We want to break the collect on specific user input/keywords e.g. "agent". We use string comparison (Use Case 1)
- We want to send the user input to the Queries API to see if they provided fields. We use the API to avoid the Collect validate, as we can't break the Collect
from there (Use Case 2)
Uncomment/comment each use case to examine the results.
*/
exports.handler = function(context, event, callback) {
    let count;
    //If event.count is set, then we are at least in the first answer from the collect list
    if(event.count) {
        count = parseInt(event.count);
        //Use case 1
        /*var matches = stringSimilarity.findBestMatch(event.CurrentInput, agent_keywords);
        if (matches.bestMatch.rating > 0.5){
            callback(null, {"actions": [{"say": "Sure, handing over to one of our agents now..."}]});
        }
        else buildCollect(count);*/
        //Use case 2
        getFieldsOrNextTask(event.CurrentInput, count);
    }
    else {count = 1;buildCollect(count, null);}
    /*
    Send the user input to Queries endpoint
    - If there are fields and confidence is high, assume user input is ok, remember the value and continue to next question (improvement: check the exact type of field found)
    - If there are no fields, check the results of the task and confidence, assuming the user wants to break the collect. Choose the target task based on rules you test, excluding the collect task
    */
    async function getFieldsOrNextTask(input, count){
        const client = require('twilio')(context.ACCOUNT_SID, context.AUTH_TOKEN);
        let fields_result = await client.autopilot.assistants(context.AUTOPILOT_SID).queries.create({language: 'en-US', query: input, tasks: COLLECT_TASK});
        if(fields_result.results.task_confidence < 0.4 || !fields_result.results.fields.length){
            let all_tasks_string = "";
            let tasks = await client.autopilot.assistants(context.AUTOPILOT_SID).tasks.list();
            for(let i = 0; i < tasks.length; i++){
                if (tasks[i].uniqueName === COLLECT_TASK)continue;
                let name = tasks[i].uniqueName;
                let unique_name = i === tasks.length-1 ? name : name + ",";
                all_tasks_string += unique_name;
            }
            console.log("All tasks without the Collect task: " + all_tasks_string);
            let task_result = await client.autopilot.assistants(context.AUTOPILOT_SID).queries.create({language: 'en-US', query: event.CurrentInput, tasks: all_tasks_string});
            let task_confidence = task_result.results.task_confidence;
            let chosen_task = parseFloat(task_confidence) < 0.4 && !task_result.results.next_best_task ? "fallback": task_result.results.task;
            console.log("Chosen new task to break Collect is: " + chosen_task);
            callback(null, {"actions": [{"redirect": "task://" + chosen_task}]});        
        }
        else{
            console.log("seemed a valid field of the Collect task, remember it and move to next question");
            buildCollect(count, event.CurrentInput);
        }  
    }
    function buildCollect(count, userInputToRemember){
        console.log("Current count: " + count);
        if(count > questions.length){
            callback(null, {"actions": [{"say": "Thank you, that is the end of our questions, moving to the next part of the flow"}]});
        }
        else{
            //Create the current collect object and increase the count in on_complete for the next iteration
            let name = "collect_" + count;
            let on_complete = {
                    "redirect": "https://" + context.DOMAIN_NAME + "/dynamic-collect?count=" + (count+1)
            };
            let collect_object = {};
            collect_object.name = name;
            collect_object.questions = [];
            collect_object.questions[0] = questions[count-1];
            collect_object.on_complete = on_complete;
            console.log("Current Collect object: " + JSON.stringify(collect_object));
            if(userInputToRemember){
                let remember_var = questions[count-1].name;
                console.log(remember_var);
                callback(null, {"actions": [{"remember": {remember_var: userInputToRemember}},{"collect": collect_object}]});
            }
            else{
                callback(null, {"actions": [{"collect": collect_object}]});
            }
        }
    }
};

Дайте мне знать, если это вообще поможет! <3 </p>

...