需求
FormStateModel已经包含用户键入的FIRST输入。


我只是想将处于activity.Text中的字符串放在FormStateModel中:

private IDialog<FormStateModel> MakeRootDialog(string input)
    {
        return Chain.From(() => new FormDialog<FormStateModel>(
            new FormStateModel() { Question = input },
            ContactDetailsForm.BuildForm,
            FormOptions.None));
    }


=

public async Task<HttpResponseMessage> Post([FromBody] Activity activity)
{
    if (activity.Type == ActivityTypes.Message)
    {
            await Conversation.SendAsync(
                    toBot: activity,
                    MakeRoot: () => this.MakeRootDialog(activity.Text));
    }
    else
    {
        await HandleSystemMessageAsync(activity);
    }

    var response = this.Request.CreateResponse(HttpStatusCode.OK);
    return response;
}


在ConversationUpdate上,我只需问“请输入您的问题:”即可开始对话。

private static async Task<Activity> HandleSystemMessageAsync(Activity message)
        {
            switch (message.Type)
            {
                case ActivityTypes.DeleteUserData:
                    break;

                case ActivityTypes.ConversationUpdate:
                    await Welcome(message);
                    break;
(...)


以这种方式:

    private static async Task Welcome(Activity activity)
    {
        (...)
        reply.Text = string.Format("Hello, how can we help you today? Please type your Question:");

        await client.Conversations.ReplyToActivityAsync(reply);
        (...)
    }


但是我找不到如何通过它的方法。在这种情况下,将发生以下异常:

anonymous method closures that capture the environment are not serializable, consider removing environment capture or using a reflection serialization surrogate:


在这一步有什么方法可以填充状态模型吗?

最佳答案

解决方法是在MessagesController中调用RootDialog,然后通过context.Call(form,(...))调用新的FormDialog。

  public async Task<HttpResponseMessage> Post([FromBody] Activity activity)
        {
                    await Conversation.SendAsync(activity, () => new LayerDialog());
        }


LayerDialog:

   [Serializable]
    public class LayerDialog: IDialog<IMessageActivity>
    {
        public async Task StartAsync(IDialogContext context)
        {
            context.Wait(this.OnMessageReceivedAsync);
        }

    private async Task OnMessageReceivedAsync(IDialogContext context, IAwaitable<IMessageActivity> result)
    {
        var awaited = await result;

        FormStateModel model = new FormStateModel();
        model.Value = awaited.Text;

        var form = new FormDialog<FormStateModel >(model ,
            BuildForm , FormOptions.PromptInStart);

        context.Call(form , this.AfterResume);
    }

10-08 14:09