Bot Framework PromptDialog没有询问第一个提示

时间:2018-05-30 18:59:48

标签: c# botframework

我正在学习Microsoft Bot Framework,所以我正在学习教程并处理一些示例对话框。我试着写一个计算器机器人。 (机器人要求整数,操作和另一个整数)。

但是,我无法让机器人真正询问用户的输入。如果用户在启动对话框后键入任何内容,则响应为$invalid need: expected Call, have Poll。我看到一些问题,说你不能在同一个函数调用中使用提示和context.Wait,但我还没有找到任何说明如何处理这个问题。

public class CalculatorDialog : IDialog<object>
{
    protected readonly String[] operators = { "+", "-", "*", "/" };
    private long Left { get; set; }
    private long Right {get; set; }
    private String Operator { get; set; }

    public async Task StartAsync(IDialogContext context)
    {
        context.Wait(Calculate);
    }

    private async Task Calculate(IDialogContext context, 
                                 IAwaitable<IMessageActivity> result)
    {
        await result;

        PromptDialog.Number(
            context,
            async (ctx, lhs) => { Left = await lhs; },
            "Left hand side"
        );

        PromptDialog.Choice<string>(
            context,
            async (ctx, op) => { Operator = await op; },
            new PromptOptions<string>("Operator:", options: operators)
        );

        PromptDialog.Number(
            context,
            async (ctx, rhs) => { Right = await rhs; },
            "Right hand side"
        );

        long res;
        switch (Operator) { /* res = Left Operator Right */}

        await context.PostAsync($"The result is: ${res}");
    }
}

调用它的代码是

switch (activity.Text)
{
    case "math":
        context.Call(new CalculatorDialog(), this.ResumeAfterSubDialog);
        break;
}

ResumeAferSubDialog继续主循环。

1 个答案:

答案 0 :(得分:0)

在您的代码中,我发现您不断调用PromptDialog.NumberPromptDialog.Choice方法,您可以修改代码以执行/调用下一个 PromptDialog 在之前的 Resume 处理程序中,以下代码段供您参考。

private async Task Calculate(IDialogContext context, IAwaitable<IMessageActivity> result)
{
    await result;

    PromptDialog.Number(
        context,
        LeftReceivedAsync,
        "Left hand side"
    );
}

private async Task LeftReceivedAsync(IDialogContext context, IAwaitable<long> lhs)
{
    Left = await lhs;

    PromptDialog.Choice<string>(
        context,
        OperatorReceivedAsync,
        new PromptOptions<string>("Operator:", options: operators)
    );
}

private async Task OperatorReceivedAsync(IDialogContext context, IAwaitable<string> op)
{
    Operator = await op;

    PromptDialog.Number(
        context,
        RightReceivedAsync,
        "Right hand side"
    );
}

private async Task RightReceivedAsync(IDialogContext context, IAwaitable<long> rhs)
{
    Right = await rhs;

    long res;

    //switch (Operator) { /* res = Left Operator Right */}

    await context.PostAsync($"The result is: ${res}");

}

注意:

根据我的测试,PromptDialog.Choice对这些特殊字符( "+", "-", "*", "/" )不起作用,它不会将所选选项识别为可用选项,而是让用户再试一次。

测试pic1:

enter image description here

如果可能,您可以提供不同的选项列表,例如:

protected readonly String[] operators = { "add (+)", "subtract (-)", "multiply (*)", "divide (/)" };

测试图2:

enter image description here