I expect that you probably are not aware of Function-Filters in Azure Functions, just like I wasn't until a few days ago. Recently, I was working on an Azure Functions API based project and was thinking what if we had a functionality similar to ASP.NET MVC Filters in Azure Functions as well. It would have helped us solve the problem of customizing or requesting pipelines or sharing common logic across Azure Functions. 
If you want to see how Function Filters can help us solve some real-life problems, this article is for you.
 
If you are a .NET developer, you will have implemented ASP.NET MVC Filters in your web applications previously.
 
In this article, we will see how Function-Filters are very similar to 
ASP.NET Filters and we will implement them in HTTP Trigger Azure Function to solve a real-life problem and discuss the pros and cons of using it.
 
Before Diving in
 
I hope you are aware of Azure Functions and ASP.NET MVC Filters in order to understand this article. If not, I would suggest you read this really awesome article written by Nitin Pandit: 
Filters in ASP.NET MVC 5.0.
 
I hope, by now, you will be having at least the basic knowledge of MVC Filters so that you should be able to understand Function-Filters in Azure Functions. Here is a figure demonstrating MVC filters and implementation.
 
 
MVC Filters are used to execute some preprocessing and postprocessing logic.
 
Examples
     - Authorization Filter: Checking whether Logged In user is valid or not
- Exception Filter attribute whenever there is an error raised by the controller and you want to execute your logic after that.
- Custom Filters are attributes created by you for your own custom requirement; for example - to check the permission of a logged-in user.
So now, the question arises - what kind of Filters are available in Function-Filters?
     - FunctionInvocationFilterAttribute
- FunctionExceptionFilterAttribute
 
FunctionInvocationFilterAttribute
 
This filter is used to execute PRE and POST processing logic when a target job function is invoked.
 
FunctionExceptionFilterAttribute
 
Exception Filter will be called whenever there is an exception thrown by the Azure Function.
 
Function-Filters can be applied globally to all functions at the Class level or the Function level.
 
Prerequisites
     - Visual Studio 2017 with Cloud SDKs installed
 
Let's now create an HTTP Trigger Azure Function using Visual Studio 2017.
 
 
 
HTTP Trigger Template Code
     - using System;  
- using System.IO;  
- using System.Threading.Tasks;  
- using Microsoft.AspNetCore.Mvc;  
- using Microsoft.Azure.WebJobs;  
- using Microsoft.Azure.WebJobs.Extensions.Http;  
- using Microsoft.AspNetCore.Http;  
- using Microsoft.Extensions.Logging;  
- using Newtonsoft.Json;  
- using Microsoft.Azure.WebJobs.Host;  
- using System.Threading;  
-   
- namespace FunctionFilters  
- {  
-     public static class Function1  
-     {  
-         [FunctionName("Function1")]  
-         public  async Task<IActionResult> Run(  
-             [HttpTrigger(AuthorizationLevel.Function, "get", "post", Route = null)] HttpRequest req,  
-             ILogger log)  
-         {  
-             log.LogInformation("C# HTTP trigger function processed a request.");  
-   
-             string name = req.Query["name"];  
-   
-             string requestBody = await new StreamReader(req.Body).ReadToEndAsync();  
-             dynamic data = JsonConvert.DeserializeObject(requestBody);  
-             name = name ?? data?.name;  
-   
-             return name != null  
-                 ? (ActionResult)new OkObjectResult($"Hello, {name}")  
-                 : new BadRequestObjectResult("Please pass a name on the query string or in the request body");  
-         }  
-   
-           
-     }  
- }  
 
Now, in order to implement Function-Filter in our Function class, we first need to implement Function-Filters from
IFunctionExceptionFilter and IFunctionInvocationFilter.
 
We have to change our class from static to instance Function and implement both of these Function Filters at class level and override their respective methods OnExceptionAsync, OnExecutedAsync and OnExecutingAsync.
     - using Microsoft.AspNetCore.Http;  
- using Microsoft.AspNetCore.Mvc;  
- using Microsoft.Azure.WebJobs;  
- using Microsoft.Azure.WebJobs.Extensions.Http;  
- using Microsoft.Azure.WebJobs.Host;  
- using Microsoft.Extensions.Logging;  
- using Newtonsoft.Json;  
- using System;  
- using System.Diagnostics;  
- using System.IO;  
- using System.Threading;  
- using System.Threading.Tasks;  
-   
- namespace FunctionFilters  
- {  
-     public  class Function1:IFunctionExceptionFilter, IFunctionInvocationFilter  
-     {  
-         [FunctionName("Function1")]  
-         public  async Task<IActionResult> Run(  
-             [HttpTrigger(AuthorizationLevel.Function, "get", "post", Route = null)] HttpRequest req,  
-             ILogger log)  
-         {  
-   
-             Debug.WriteLine("C# HTTP trigger function processed a request.");  
-   
-             string name = req.Query["name"];  
-   
-             string requestBody = await new StreamReader(req.Body).ReadToEndAsync();  
-             dynamic data = JsonConvert.DeserializeObject(requestBody);  
-             name = name ?? data?.name;  
-   
-             return name != null  
-                 ? (ActionResult)new OkObjectResult($"Hello, {name}")  
-                 : new BadRequestObjectResult("Please pass a name on the query string or in the request body");  
-         }  
-   
-         public Task OnExceptionAsync(FunctionExceptionContext exceptionContext, CancellationToken cancellationToken)  
-         {  
-             Debug.WriteLine($"Exception raised by the application {exceptionContext.Exception.ToString()}");  
-             return Task.CompletedTask;  
-         }  
-   
-         public Task OnExecutedAsync(FunctionExecutedContext executedContext, CancellationToken cancellationToken)  
-         {  
-             Debug.WriteLine($"I should be executed at last");  
-             return Task.CompletedTask;  
-         }  
-   
-         public Task OnExecutingAsync(FunctionExecutingContext executingContext, CancellationToken cancellationToken)  
-         {  
-             Debug.WriteLine($"I should be executed at before function code");  
-             return Task.CompletedTask;  
-         }  
-     }  
- }  
 
You can see the implemented Function Filters look quite similar to ASP.NET MVC Filter.
     - OnExceptionAsync
 Filter falls under the category of invocation function filter which will get executed whenever an exception occurs in our function.
 
 
- OnExecutingAsync
 Filter falls under the category of invocation function which will get executed before our function logic is executed and this helps us executing any kind of preprocessing logic.
 
 
- OnExecutedAsync
 Filter falls under the category of Exception Filters and gets executed after our function logic is executed and this helps us executing any kind postprocessing logic.
Let's run the Function Filters by executing them in our local environment. In order to test the HTTP Trigger Azure Function, I will be using Postman which is an HTTP REST client.
 
Demo of OnExecutingAsync and OnExecutedAsync Function Filters
 
 
Demo of OnExceptionAsync Filter
 
In order to test the OnExceptionAsync, I am throwing a DivideByZeroException in our code so that the function will crash and our OnExceptionAsync filter will be invoked.
 
 
Testing the function with Postman and checking the order of the Function Filters.
 
 
Life Cycle of Function Filters
 
 
Now, we are aware of Function Filter in Azure Function. This is the time to think where we can use Function Filters in practical real-life scenarios. Well, we can use Function Filters in some of these scenarios 
     - Generic Exception Handlers for all Azure Functions
- Sharing common logic across all HTTP Trigger Azure Function
 
Case Study
 
Enterprise Application Architecture of API Management and HTTP Trigger Azure functions.
 
 
From the above architecture, we can see the Authorization is happening at Azure Function level. So you can imagine that we would have written a duplicate code of checking the Authorization bearer token in each Azure function and now we will try to move that code to Authorize Function Filter.
 
In order to share a common logic across all HTTP trigger Azure functions, I want to create a generic Authorization Filter for all of my HTTP Azure functions to check the HTTP header for the JWT token. And, if the request headers don't contain an Authorization Bearer token we will reject the request with Unauthorized. This seems to be like a real-life scenario because I want to keep my Authorization Logic code in Filter and reuse all the Azure functions which should be accessed by valid users.
 
 
In our implementation, we will be using HTTP triggered Azure functions but no API management service. We will create an Authorization Function Filter to check the JWT token in each request and if the user sends an Invalid JWT token we will return Unauthorized Response status to the User.
 
Let’s get started and create our HTTP Trigger Azure Function using Visual Studio and name it as per your preference.
 
 
Select HTTP Trigger Template and select Azure Functions V1 because in version V2 I had some issues with HTTP trigger function when I tested on my local machine while writing this.
 
 
Create a new Class in our solution and name it as FunctionAuthorizeAttribute:
 
Implement FunctionInvocationFilterAttribute and override only OnExecutingAsync method.
 
 
Create a ValidationPackage Class which will store the properties of JWT token when extracted. If you are new to the JWT Token concept my honest suggestion will be go and learn the basics of JWT from 
here and get your JWT token for testing.
 
 
 
     - public class ValidationPackage {  
-     public bool ValidToken {  
-         get;  
-         set;  
-     }  
-     public string PrincipalName {  
-         get;  
-         set;  
-     }  
-     public string Scope {  
-         get;  
-         set;  
-     }  
-     public string AppID {  
-         get;  
-         set;  
-     }  
-     public long IssuedAt {  
-         get;  
-         set;  
-     }  
-     public long ExpiresAt {  
-         get;  
-         set;  
-     }  
-     public string Token {  
-         get;  
-         set;  
-     }  
-     public string LastName {  
-         get;  
-         internal set;  
-     }  
-     public string FirstName {  
-         get;  
-         internal set;  
-     }  
-     public ValidationPackage() {  
-         ValidToken = false;  
-     }  
- }  
 
 
FunctionAuthorizeAttribute code
 
Now in the OnExecutingAsync function we will be writing our logic to read Bearer token from request header and extract claims out of the token and validate it. If the token is valid we will add a new Header to the request to set whether token is valid or not because as per our current implementation we can't short circuit the pipeline and send a response from Function filters.
 
In this scenario we are just extracting a JWT token, not validating if it is registered to our product or not. Make sure you validate the identity as well so that any other JWT token passed will not execute the Azure function.
 
If the token is valid we are adding a header AuthorizationStatus to the request that stores the HttpStatus code whether it is Accepted or Unauthorized.
     - public class FunctionAuthorizeAttribute : FunctionInvocationFilterAttribute  
-    {  
-        public FunctionAuthorizeAttribute()  
-        {  
-        }  
-   
-        public override Task OnExecutingAsync(FunctionExecutingContext executingContext, CancellationToken cancellationToken)  
-        {  
-            var workItem = executingContext.Arguments.First().Value as HttpRequestMessage;  
-            ValidationPackage validationPackage = new ValidationPackage();  
-            AuthenticationHeaderValue jwtInput = workItem.Headers.Authorization;  
-   
-            if (jwtInput != null)  
-            {  
-                String jwt = "";  
-                if (jwtInput.ToString().StartsWith("Bearer ", StringComparison.OrdinalIgnoreCase))  
-                {  
-                    jwt = jwtInput.ToString().Substring("Bearer ".Length).Trim();  
-                }  
-   
-                JwtSecurityTokenHandler handler = new JwtSecurityTokenHandler();  
-   
-                  try  
-                    {  
-                        validationPackage = ExtractClaims(jwt, handler);  
-                    }  
-                    catch (Exception ex)  
-                    {  
-                        throw ex;  
-                  }                 
-            }  
-   
-            if(!validationPackage.ValidToken)  
-            {  
-                workItem.Headers.Add("AuthorizationStatus",  Convert.ToInt32(HttpStatusCode.Unauthorized).ToString());  
-            }  
-            else  
-            {  
-                workItem.Headers.Add("AuthorizationStatus", Convert.ToInt32(HttpStatusCode.Accepted).ToString());            
-            }  
-            return base.OnExecutingAsync(executingContext, cancellationToken);  
-        }  
-        public static ValidationPackage ExtractClaims(string jwt, JwtSecurityTokenHandler handler)  
-        {  
-            ValidationPackage validationPackage = new ValidationPackage();  
-   
-            validationPackage.Token = jwt;  
-   
-            var token = handler.ReadJwtToken(jwt);  
-            validationPackage.Scope = "user_impersonation";  
-   
-            try  
-            {  
-                 
-                var claims = token.Claims;  
-                foreach (Claim c in claims)  
-                {  
-                    switch (c.Type)  
-                    {  
-                        case "sub":  
-                        case "upn":  
-                            if (c.Value.Contains('@'))  
-                                validationPackage.PrincipalName = c.Value;  
-                            break;  
-   
-                        case "Firstname":  
-                            validationPackage.FirstName = c.Value;  
-                            break;  
-   
-                        case "Lastname":  
-                            validationPackage.LastName = c.Value;  
-                            break;  
-   
-                        case "client_id":  
-                        case "aud":  
-                            validationPackage.AppID = c.Value;  
-                            break;  
-   
-                        case "iat":  
-                            validationPackage.IssuedAt = Convert.ToInt64(c.Value);  
-                            break;  
-   
-                        case "exp":  
-                            validationPackage.ExpiresAt = Convert.ToInt64(c.Value);  
-                            break;  
-   
-                        case "scp":  
-                            validationPackage.Scope = c.Value;  
-                            break;  
-                    }  
-                }  
-            }  
-            catch (Exception e)  
-            {  
-                validationPackage.ValidToken = false;  
-            }  
-            var currentTimestamp = (long)(DateTime.UtcNow - new DateTime(1970, 1, 1, 0, 0, 0)).TotalSeconds;  
-   
-            if ((validationPackage.ExpiresAt - currentTimestamp) > 0)  
-                validationPackage.ValidToken = true;  
-            return validationPackage;  
-        }  
-   
-    }  
 
Now we need to add the Function Filter Class as an Attribute to our Http Triggered Azure function as shown in below code snippet.
     - public static class GetCustomerById  
-     {  
-         [FunctionName("GetCustomerById")]  
-         [FunctionAuthorize]  
-         public static async Task<IActionResult> Run(  
-             [HttpTrigger(AuthorizationLevel.Function, "get", "post", Route = null)] HttpRequestMessage req,  
-             ILogger log)  
-         {  
-   
-             string authorizationStatus = req.Headers.GetValues("AuthorizationStatus").FirstOrDefault();           
-             if (Convert.ToInt32(authorizationStatus).Equals((int)HttpStatusCode.Accepted))  
-             {  
-                 log.LogInformation("C# HTTP trigger function processed a request.");  
-                 var customers = Builder<Customer>  
-                 .CreateListOfSize(10)  
-                 .All().Build();      
-                 int Id = 1;  
-   
-                 var customer = customers.Where(x => x.Id == Id);  
-                 return customer != null  
-                     ? (ActionResult)new OkObjectResult(customer)  
-                     : new BadRequestObjectResult("Please pass a name on the query string or in the request body");  
-             }  
-             else  
-             {  
-                 return new UnauthorizedResult();  
-             }  
-         }  
-   
-     }  
 
You can see that we have added [FunctionAuthorize] to our Function and we are validation and we checking the request headers to check if request had valid JWT Token or not?
     - string authorizationStatus = req.Headers.GetValues("AuthorizationStatus").FirstOrDefault();           
-             if (Convert.ToInt32(authorizationStatus).Equals((int)HttpStatusCode.Accepted))  
-             {  
-             }   
-             else  
-   
-             {  
-                 return new UnauthorizedResult();  
-             }  
 
Let's now run our function app test it without JWT token and check if it working as per our expectation or not.
 
Testing it with a valid JWT Token
 
Copy the token from AuthO website.
 
 
Add the JWT Token to the request header as shown below and then press Send.
 
 
 
Wow, you can see that we are able to Authenticate the JWT token with the help of Function Filter. We can reuse the same logic across all other HTTP trigger Azure functions without duplicating the logic and keeping the Authorization logic separate.
 
So we learned how we can leverage the power of Function Filters in Azure function.
 
But there is a down side of using Function Filters as of now because they are not matured enough and cannot short circuit the request back to the User. As we saw we are kind of adding a request header and then checking the header.
 
While developing you will also see deprecated or obsolete message on the Function filters and that might prevent you from using it in production. I had the same question so I raised it with the Azure function team and below is their reply. You can check the whole discussion out 
here.
 
 
But please note the implementation is subjective to change in the near future so be aware of it.
 
I hope you enjoyed reading the article as much as I did writing it up. It's so cool to know Function Filters and how they can help us share common logic across Azure Functions.
 
If you did, leave your thoughts in the comments below.
 
Also, I will love it if you share the article on your preferred social media channel.
 
References