title | description | services | documentationcenter | author | manager | keywords | ms.service | ms.devlang | ms.topic | ms.date | ms.author |
---|---|---|---|---|---|---|---|---|---|---|---|
Azure Functions C# script developer reference |
Understand how to develop Azure Functions using C# script. |
functions |
na |
ggailey777 |
jeconnoc |
azure functions, functions, event processing, webhooks, dynamic compute, serverless architecture |
azure-functions |
dotnet |
reference |
12/12/2017 |
glenga |
This article is an introduction to developing Azure Functions by using C# script (.csx).
Azure Functions supports C# and C# script programming languages. If you're looking for guidance on using C# in a Visual Studio class library project, see C# developer reference.
This article assumes that you've already read the Azure Functions developers guide.
The C# script experience for Azure Functions is based on the Azure WebJobs SDK. Data flows into your C# function via method arguments. Argument names are specified in a function.json
file, and there are predefined names for accessing things like the function logger and cancellation tokens.
The .csx format allows you to write less "boilerplate" and focus on writing just a C# function. Instead of wrapping everything in a namespace and class, just define a Run
method. Include any assembly references and namespaces at the beginning of the file as usual.
A function app's .csx files are compiled when an instance is initialized. This compilation step means things like cold start may take longer for C# script functions compared to C# class libraries. This compilation step is also why C# script functions are editable in the Azure portal, while C# class libraries are not.
The folder structure for a C# script project looks like the following:
FunctionsProject
| - MyFirstFunction
| | - run.csx
| | - function.json
| | - function.proj
| - MySecondFunction
| | - run.csx
| | - function.json
| | - function.proj
| - host.json
| - extensions.csproj
| - bin
There's a shared host.json file that can be used to configure the function app. Each function has its own code file (.csx) and binding configuration file (function.json).
The binding extensions required in version 2.x of the Functions runtime are defined in the extensions.csproj
file, with the actual library files in the bin
folder. When developing locally, you must register binding extensions. When developing functions in the Azure portal, this registration is done for you.
Input or output data is bound to a C# script function parameter via the name
property in the function.json configuration file. The following example shows a function.json file and run.csx file for a queue-triggered function. The parameter that receives data from the queue message is named myQueueItem
because that's the value of the name
property.
{
"disabled": false,
"bindings": [
{
"type": "queueTrigger",
"direction": "in",
"name": "myQueueItem",
"queueName": "myqueue-items",
"connection":"MyStorageConnectionAppSetting"
}
]
}
#r "Microsoft.WindowsAzure.Storage"
using Microsoft.Extensions.Logging;
using Microsoft.WindowsAzure.Storage.Queue;
using System;
public static void Run(CloudQueueMessage myQueueItem, ILogger log)
{
log.LogInformation($"C# Queue trigger function processed: {myQueueItem.AsString}");
}
The #r
statement is explained later in this article.
Each binding has its own supported types; for instance, a blob trigger can be used with a string parameter, a POCO parameter, a CloudBlockBlob
parameter, or any of several other supported types. The binding reference article for blob bindings lists all supported parameter types for blob triggers. For more information, see Triggers and bindings and the binding reference docs for each binding type.
[!INCLUDE HTTP client best practices]
If you need to use a custom Plain Old CLR Object (POCO) class, you can include the class definition inside the same file or put it in a separate file.
The following example shows a run.csx example that includes a POCO class definition.
public static void Run(string myBlob, out MyClass myQueueItem)
{
log.Verbose($"C# Blob trigger function processed: {myBlob}");
myQueueItem = new MyClass() { Id = "myid" };
}
public class MyClass
{
public string Id { get; set; }
}
A POCO class must have a getter and setter defined for each property.
You can use classes and methods defined in other .csx files in your run.csx file. To do that, use #load
directives in your run.csx file. In the following example, a logging routine named MyLogger
is shared in myLogger.csx and loaded into run.csx using the #load
directive:
Example run.csx:
#load "mylogger.csx"
using Microsoft.Extensions.Logging;
public static void Run(TimerInfo myTimer, ILogger log)
{
log.LogInformation($"Log by run.csx: {DateTime.Now}");
MyLogger(log, $"Log by MyLogger: {DateTime.Now}");
}
Example mylogger.csx:
public static void MyLogger(ILogger log, string logtext)
{
log.LogInformation(logtext);
}
Using a shared .csx file is a common pattern when you want to strongly type the data passed between functions by using a POCO object. In the following simplified example, an HTTP trigger and queue trigger share a POCO object named Order
to strongly type the order data:
Example run.csx for HTTP trigger:
#load "..\shared\order.csx"
using System.Net;
using Microsoft.Extensions.Logging;
public static async Task<HttpResponseMessage> Run(Order req, IAsyncCollector<Order> outputQueueItem, ILogger log)
{
log.LogInformation("C# HTTP trigger function received an order.");
log.LogInformation(req.ToString());
log.LogInformation("Submitting to processing queue.");
if (req.orderId == null)
{
return new HttpResponseMessage(HttpStatusCode.BadRequest);
}
else
{
await outputQueueItem.AddAsync(req);
return new HttpResponseMessage(HttpStatusCode.OK);
}
}
Example run.csx for queue trigger:
#load "..\shared\order.csx"
using System;
using Microsoft.Extensions.Logging;
public static void Run(Order myQueueItem, out Order outputQueueItem, ILogger log)
{
log.LogInformation($"C# Queue trigger function processed order...");
log.LogInformation(myQueueItem.ToString());
outputQueueItem = myQueueItem;
}
Example order.csx:
public class Order
{
public string orderId {get; set; }
public string custName {get; set;}
public string custAddress {get; set;}
public string custEmail {get; set;}
public string cartId {get; set; }
public override String ToString()
{
return "\n{\n\torderId : " + orderId +
"\n\tcustName : " + custName +
"\n\tcustAddress : " + custAddress +
"\n\tcustEmail : " + custEmail +
"\n\tcartId : " + cartId + "\n}";
}
}
You can use a relative path with the #load
directive:
#load "mylogger.csx"
loads a file located in the function folder.#load "loadedfiles\mylogger.csx"
loads a file located in a folder in the function folder.#load "..\shared\mylogger.csx"
loads a file located in a folder at the same level as the function folder, that is, directly under wwwroot.
The #load
directive works only with .csx files, not with .cs files.
You can use a method return value for an output binding, by using the name $return
in function.json. For examples, see Triggers and bindings.
Use the return value only if a successful function execution always results in a return value to pass to the output binding. Otherwise, use ICollector
or IAsyncCollector
, as shown in the following section.
To write multiple values to an output binding, or if a successful function invocation might not result in anything to pass to the output binding, use the ICollector
or IAsyncCollector
types. These types are write-only collections that are written to the output binding when the method completes.
This example writes multiple queue messages into the same queue using ICollector
:
public static void Run(ICollector<string> myQueue, ILogger log)
{
myQueue.Add("Hello");
myQueue.Add("World!");
}
To log output to your streaming logs in C#, include an argument of type ILogger. We recommend that you name it log
. Avoid using Console.Write
in Azure Functions.
public static void Run(string myBlob, ILogger log)
{
log.LogInformation($"C# Blob trigger function processed: {myBlob}");
}
Note
For information about a newer logging framework that you can use instead of TraceWriter
, see Write logs in C# functions in the Monitor Azure Functions article.
To make a function asynchronous, use the async
keyword and return a Task
object.
public async static Task ProcessQueueMessageAsync(
string blobName,
Stream blobInput,
Stream blobOutput)
{
await blobInput.CopyToAsync(blobOutput, 4096);
}
You can't use out
parameters in async functions. For output bindings, use the function return value or a collector object instead.
A function can accept a CancellationToken parameter, which enables the operating system to notify your code when the function is about to be terminated. You can use this notification to make sure the function doesn't terminate unexpectedly in a way that leaves data in an inconsistent state.
The following example shows how to check for impending function termination.
using System;
using System.IO;
using System.Threading;
public static void Run(
string inputText,
TextWriter logger,
CancellationToken token)
{
for (int i = 0; i < 100; i++)
{
if (token.IsCancellationRequested)
{
logger.WriteLine("Function was cancelled at iteration {0}", i);
break;
}
Thread.Sleep(5000);
logger.WriteLine("Normal processing for queue message={0}", inputText);
}
}
If you need to import namespaces, you can do so as usual, with the using
clause.
using System.Net;
using System.Threading.Tasks;
using Microsoft.Extensions.Logging;
public static Task<HttpResponseMessage> Run(HttpRequestMessage req, ILogger log)
The following namespaces are automatically imported and are therefore optional:
System
System.Collections.Generic
System.IO
System.Linq
System.Net.Http
System.Threading.Tasks
Microsoft.Azure.WebJobs
Microsoft.Azure.WebJobs.Host
For framework assemblies, add references by using the #r "AssemblyName"
directive.
#r "System.Web.Http"
using System.Net;
using System.Net.Http;
using System.Threading.Tasks;
using Microsoft.Extensions.Logging;
public static Task<HttpResponseMessage> Run(HttpRequestMessage req, ILogger log)
The following assemblies are automatically added by the Azure Functions hosting environment:
mscorlib
System
System.Core
System.Xml
System.Net.Http
Microsoft.Azure.WebJobs
Microsoft.Azure.WebJobs.Host
Microsoft.Azure.WebJobs.Extensions
System.Web.Http
System.Net.Http.Formatting
The following assemblies may be referenced by simple-name (for example, #r "AssemblyName"
):
Newtonsoft.Json
Microsoft.WindowsAzure.Storage
Microsoft.ServiceBus
Microsoft.AspNet.WebHooks.Receivers
Microsoft.AspNet.WebHooks.Common
Microsoft.Azure.NotificationHubs
To reference a custom assembly, you can use either a shared assembly or a private assembly:
-
Shared assemblies are shared across all functions within a function app. To reference a custom assembly, upload the assembly to a folder named
bin
in your function app root folder (wwwroot). -
Private assemblies are part of a given function's context, and support side-loading of different versions. Private assemblies should be uploaded in a
bin
folder in the function directory. Reference the assemblies using the file name, such as#r "MyAssembly.dll"
.
For information on how to upload files to your function folder, see the section on package management.
The directory that contains the function script file is automatically watched for changes to assemblies. To watch for assembly changes in other directories, add them to the watchDirectories
list in host.json.
To use NuGet packages in a C# function, upload a extensions.csproj file to the function's folder in the function app's file system. Here is an example extensions.csproj file that adds a reference to Microsoft.ProjectOxford.Face version 1.1.0:
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net46</TargetFramework>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.ProjectOxford.Face" Version="1.1.0" />
</ItemGroup>
</Project>
To use a custom NuGet feed, specify the feed in a Nuget.Config file in the Function App root. For more information, see Configuring NuGet behavior.
- Open the function in the Azure portal. The logs tab displays the package installation output.
- To upload a extensions.csproj file, use one of the methods described in the How to update function app files in the Azure Functions developer reference topic.
- After the extensions.csproj file is uploaded, you see output like the following example in your function's streaming log:
2016-04-04T19:02:48.745 Restoring packages.
2016-04-04T19:02:48.745 Starting NuGet restore
2016-04-04T19:02:50.183 MSBuild auto-detection: using msbuild version '14.0' from 'D:\Program Files (x86)\MSBuild\14.0\bin'.
2016-04-04T19:02:50.261 Feeds used:
2016-04-04T19:02:50.261 C:\DWASFiles\Sites\facavalfunctest\LocalAppData\NuGet\Cache
2016-04-04T19:02:50.261 https://api.nuget.org/v3/index.json
2016-04-04T19:02:50.261
2016-04-04T19:02:50.511 Restoring packages for D:\home\site\wwwroot\HttpTriggerCSharp1\extensions.csproj...
2016-04-04T19:02:52.800 Installing Newtonsoft.Json 6.0.8.
2016-04-04T19:02:52.800 Installing Microsoft.ProjectOxford.Face 1.1.0.
2016-04-04T19:02:57.095 All packages are compatible with .NETFramework,Version=v4.6.
2016-04-04T19:02:57.189
2016-04-04T19:02:57.189
2016-04-04T19:02:57.455 Packages restored.
To get an environment variable or an app setting value, use System.Environment.GetEnvironmentVariable
, as shown in the following code example:
public static void Run(TimerInfo myTimer, ILogger log)
{
log.LogInformation($"C# Timer trigger function executed at: {DateTime.Now}");
log.LogInformation(GetEnvironmentVariable("AzureWebJobsStorage"));
log.LogInformation(GetEnvironmentVariable("WEBSITE_SITE_NAME"));
}
public static string GetEnvironmentVariable(string name)
{
return name + ": " +
System.Environment.GetEnvironmentVariable(name, EnvironmentVariableTarget.Process);
}
In C# and other .NET languages, you can use an imperative binding pattern, as opposed to the declarative bindings in function.json. Imperative binding is useful when binding parameters need to be computed at runtime rather than design time. With this pattern, you can bind to supported input and output bindings on-the-fly in your function code.
Define an imperative binding as follows:
- Do not include an entry in function.json for your desired imperative bindings.
- Pass in an input parameter
Binder binder
orIBinder binder
. - Use the following C# pattern to perform the data binding.
using (var output = await binder.BindAsync<T>(new BindingTypeAttribute(...)))
{
...
}
BindingTypeAttribute
is the .NET attribute that defines your binding and T
is an input or output type that's
supported by that binding type. T
cannot be an out
parameter type (such as out JObject
). For example, the
Mobile Apps table output binding supports
six output types,
but you can only use ICollector
or IAsyncCollector for T
.
The following example code creates a Storage blob output binding with blob path that's defined at run time, then writes a string to the blob.
using Microsoft.Azure.WebJobs;
using Microsoft.Azure.WebJobs.Host.Bindings.Runtime;
public static async Task Run(string input, Binder binder)
{
using (var writer = await binder.BindAsync<TextWriter>(new BlobAttribute("samples-output/path")))
{
writer.Write("Hello World!!");
}
}
BlobAttribute defines the Storage blob input or output binding, and TextWriter is a supported output binding type.
The preceding example gets the app setting for the function app's main Storage account connection string (which is AzureWebJobsStorage
). You can specify a custom app setting to use for the Storage account by adding the
StorageAccountAttribute
and passing the attribute array into BindAsync<T>()
. Use a Binder
parameter, not IBinder
. For example:
using Microsoft.Azure.WebJobs;
using Microsoft.Azure.WebJobs.Host.Bindings.Runtime;
public static async Task Run(string input, Binder binder)
{
var attributes = new Attribute[]
{
new BlobAttribute("samples-output/path"),
new StorageAccountAttribute("MyStorageAccount")
};
using (var writer = await binder.BindAsync<TextWriter>(attributes))
{
writer.Write("Hello World!");
}
}
The following table lists the .NET attributes for each binding type and the packages in which they are defined.
[!div class="mx-codeBreakAll"] | Binding | Attribute | Add reference | |------|------|------| | Cosmos DB |
Microsoft.Azure.WebJobs.DocumentDBAttribute
|#r "Microsoft.Azure.WebJobs.Extensions.CosmosDB"
| | Event Hubs |Microsoft.Azure.WebJobs.ServiceBus.EventHubAttribute
,Microsoft.Azure.WebJobs.ServiceBusAccountAttribute
|#r "Microsoft.Azure.Jobs.ServiceBus"
| | Mobile Apps |Microsoft.Azure.WebJobs.MobileTableAttribute
|#r "Microsoft.Azure.WebJobs.Extensions.MobileApps"
| | Notification Hubs |Microsoft.Azure.WebJobs.NotificationHubAttribute
|#r "Microsoft.Azure.WebJobs.Extensions.NotificationHubs"
| | Service Bus |Microsoft.Azure.WebJobs.ServiceBusAttribute
,Microsoft.Azure.WebJobs.ServiceBusAccountAttribute
|#r "Microsoft.Azure.WebJobs.ServiceBus"
| | Storage queue |Microsoft.Azure.WebJobs.QueueAttribute
,Microsoft.Azure.WebJobs.StorageAccountAttribute
| | | Storage blob |Microsoft.Azure.WebJobs.BlobAttribute
,Microsoft.Azure.WebJobs.StorageAccountAttribute
| | | Storage table |Microsoft.Azure.WebJobs.TableAttribute
,Microsoft.Azure.WebJobs.StorageAccountAttribute
| | | Twilio |Microsoft.Azure.WebJobs.TwilioSmsAttribute
|#r "Microsoft.Azure.WebJobs.Extensions.Twilio"
|
[!div class="nextstepaction"] Learn more about triggers and bindings
[!div class="nextstepaction"] Learn more about best practices for Azure Functions