本文介绍了ApiHubFile Azure Function绑定的动态输出文件名(一个驱动器,存放箱等)的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我有一个带有计时器触发器的Azure函数,然后我想生成一个具有动态(在运行时中定义)名称和内容的文件并将其保存到例如OneDrive.

I have an Azure Function with Timer Trigger, and then I want to generate a file with dynamic (defined in runtime) name and contents and save it to e.g. OneDrive.

我的功能代码:

public static void Run(TimerInfo myTimer, out string filename, out string content)
{
    filename = $"{DateTime.Now}.txt";
    content = $"Generated at {DateTime.Now} by Azure Functions";
}

function.json:

{
  "bindings": [
    {
      "name": "myTimer",
      "type": "timerTrigger",
      "direction": "in",
      "schedule": "0 */5 * * * *"
    },
    {
      "type": "apiHubFile",
      "name": "content",
      "path": "{filename}",
      "connection": "onedrive_ONEDRIVE",
      "direction": "out"
    }
  ],
  "disabled": false
}

虽然失败,但使用

Error indexing method 'Functions.TimerTriggerCSharp1'. Microsoft.Azure.WebJobs.Host:
Cannot bind parameter 'filename' to type String&. Make sure the parameter Type
is supported by the binding. If you're using binding extensions
(e.g. ServiceBus, Timers, etc.) make sure you've called the registration method
for the extension(s) in your startup code (e.g. config.UseServiceBus(),
config.UseTimers(), etc.).

推荐答案

以下是您的操作方法:

#r "Microsoft.Azure.WebJobs.Extensions.ApiHub"

using System;
using System.IO;
using Microsoft.Azure.WebJobs;
using Microsoft.Azure.WebJobs.Host.Bindings.Runtime;

public static async Task Run(TimerInfo myTimer, TraceWriter log, Binder binder)
{
    log.Info($"C# Timer trigger function executed at: {DateTime.Now}");

    var fileName = "mypath/" + DateTime.Now.ToString("yyyy-MM-ddThh-mm-ss") + ".txt";

    var attributes = new Attribute[]
    {
        new ApiHubFileAttribute("onedrive_ONEDRIVE", fileName, FileAccess.Write)
    };


    var writer = await binder.BindAsync<TextWriter>(attributes);
    var content = $"Generated at {DateTime.Now} by Azure Functions";

    writer.Write(content);
}

function.json文件:

    {
  "bindings": [
    {
      "name": "myTimer",
      "type": "timerTrigger",
      "direction": "in",
      "schedule": "10 * * * * *"
    },
    {
      "type": "apiHubFile",
      "name": "outputFile",
      "connection": "onedrive_ONEDRIVE",
      "direction": "out"
    }
  ],
  "disabled": false
}

您实际上不需要在function.json中使用apiHubFile声明,但是由于存在一个错误,我今天注意到它应该仍然存在.我们将修复该错误.

You shouldn't really need the apiHubFile declaration in your function.json but because of a bug I noticed today it should still be there. we will fix that bug.

这篇关于ApiHubFile Azure Function绑定的动态输出文件名(一个驱动器,存放箱等)的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

07-03 01:12