您好,我在此代码上向用户发送了带有位置的快速回复。 我将其放在文本提示中以等待用户输入。但是在用户发送位置后,它在Messenger上产生了错误。我尝试输入文字和附件提示,但无法正常工作。
Activity reply = stepContext.Context.Activity.CreateReply();
reply.ChannelData = JObject.FromObject(
new
{
text = "loc",
quick_replies = new object[]
{
new
{
content_type = "location",
},
},
});
return await stepContext.PromptAsync(
ATTACHPROMPT,
new PromptOptions
{
Prompt = reply,
});
}
我正在使用C#和Botframework V4
答案 0 :(得分:0)
如果要在文本或附件提示中使用Facebook Messenger的位置快速回复来捕获用户的位置,则需要提供自定义验证器-我建议使用文本提示。
构造函数
创建瀑布并将提示添加到构造函数中的对话框堆栈中。确保在文本提示中添加自定义验证器;否则,该漫游器会重复提示用户输入他们的位置,因为它期望快速回复无法提供的文本值。
public MultiTurnPromptsBot(MultiTurnPromptsBotAccessors accessors)
{
...
// This array defines how the Waterfall will execute.
var waterfallSteps = new WaterfallStep[]
{
PromptForLocation,
CaptureLocation,
};
...
// Add named dialogs to the DialogSet. These names are saved in the dialog state.
_dialogs.Add(new WaterfallDialog("details", waterfallSteps));
_dialogs.Add(new TextPrompt("location", LocationPromptValidatorAsync));
}
位置验证器
在自定义验证器中,您可以检查位置对象的传入活动,该活动位于活动的实体属性中。如果活动没有位置,则可以返回false,提示将再次询问用户其位置;否则,它将继续进行下一步。
public Task<bool> LocationPromptValidatorAsync(PromptValidatorContext<string> promptContext, CancellationToken cancellationToken)
{
var activity = promptContext.Context.Activity;
var location = activity.Entities?.FirstOrDefault(e => e.Type == "Place");
if (location != null) {
return Task.FromResult(true);
}
return Task.FromResult(false);
}
提示输入位置
与上面的代码段一样,您可以将Facebook Messenger快速回复添加到回复的频道数据。
private static async Task<DialogTurnResult> PromptForLocation(WaterfallStepContext stepContext, CancellationToken cancellationToken)
{
Activity reply = stepContext.Context.Activity.CreateReply();
reply.Text = "What is your location?";
reply.ChannelData = JObject.FromObject( new {
quick_replies = new object[]
{
new
{
content_type = "location",
},
},
});
return await stepContext.PromptAsync("location", new PromptOptions { Prompt = reply }, cancellationToken);
}
捕获位置
您可以在此处捕获用户位置以使用所需的位置。
private async Task<DialogTurnResult> CaptureLocation(WaterfallStepContext stepContext, CancellationToken cancellationToken)
{
var activity = stepContext.Context.Activity;
var location = activity.Entities?.FirstOrDefault(e => e.Type == "Place");
if (location != null) {
var latitude = location.Properties["geo"]?["latitude"].ToString();
var longitude = location.Properties["geo"]?["longitude"].ToString();
await stepContext.Context.SendActivityAsync($"Latitude: {latitude} Longitude: {longitude}");
}
// WaterfallStep always finishes with the end of the Waterfall or with another dialog, here it is the end.
return await stepContext.EndDialogAsync(cancellationToken: cancellationToken);
}
希望这会有所帮助!