What are filters in ASP.NET Core, and how are they used?

Filters in ASP.NET Core are components that run at specific stages in the request processing pipeline, allowing you to apply cross-cutting concerns like logging, authorization, or exception handling without duplicating code across controllers and actions.

Filter Types and Execution Order

Filter TypeExecution OrderPurposeInterface
Authorization1stDetermine if user is authorizedIAuthorizationFilter
Resource2ndHandle caching, can short-circuitIResourceFilter
Action3rdRun before/after action executionIActionFilter
Exception4thHandle exceptionsIExceptionFilter
Result5thRun before/after result executionIResultFilter

Key Filter Examples

Authorization Filter

public class CustomAuthFilter : IAuthorizationFilter
{
    public void OnAuthorization(AuthorizationFilterContext context)
    {
        if (!context.HttpContext.User.Identity.IsAuthenticated)
        {
            context.Result = new UnauthorizedResult();
        }
    }
}

// Usage
[TypeFilter(typeof(CustomAuthFilter))]
public class AdminController : Controller { }

Action Filter

public class LogActionFilter : IActionFilter
{
    private readonly ILogger _logger;
    
    public LogActionFilter(ILogger<LogActionFilter> logger)
    {
        _logger = logger;
    }
    
    public void OnActionExecuting(ActionExecutingContext context)
    {
        _logger.LogInformation($"Executing: {context.ActionDescriptor.DisplayName}");
    }
    
    public void OnActionExecuted(ActionExecutedContext context)
    {
        _logger.LogInformation($"Executed: {context.ActionDescriptor.DisplayName}");
    }
}

// Usage
[ServiceFilter(typeof(LogActionFilter))]
public IActionResult Index() { return View(); }

Exception Filter

public class GlobalExceptionFilter : IExceptionFilter
{
    private readonly ILogger _logger;
    
    public GlobalExceptionFilter(ILogger<GlobalExceptionFilter> logger)
    {
        _logger = logger;
    }
    
    public void OnException(ExceptionContext context)
    {
        _logger.LogError(context.Exception, "Unhandled exception");
        
        context.Result = new ObjectResult(new { 
            error = "An error occurred"
        })
        {
            StatusCode = 500
        };
        
        context.ExceptionHandled = true;
    }
}

// Global registration
builder.Services.AddControllers(options => {
    options.Filters.Add<GlobalExceptionFilter>();
});

Filter Registration Levels

  1. Global: Apply to all controllers and actions

    builder.Services.AddControllers(options => {
        options.Filters.Add<LogActionFilter>();
    });
  2. Controller: Apply to all actions in a controller

    [ServiceFilter(typeof(LogActionFilter))]
    public class ProductsController : Controller { }
  3. Action: Apply to a specific action

    [ServiceFilter(typeof(LogActionFilter))]
    public IActionResult Index() { return View(); }

Filter Attributes vs. Filter Types

ApproachDescriptionExample
AttributeSimple, no DI support[Authorize], [RequireHttps]
TypeFilterCreates filter instance with DI[TypeFilter(typeof(LogActionFilter))]
ServiceFilterResolves filter from DI container[ServiceFilter(typeof(LogActionFilter))]

Async Filters

For better performance, implement async interfaces:

public class AsyncActionFilter : IAsyncActionFilter
{
    public async Task OnActionExecutionAsync(
        ActionExecutingContext context, 
        ActionExecutionDelegate next)
    {
        // Before action
        var result = await next();
        // After action
    }
}

Filter Order

Filters execute in a specific order by type, but you can control order within a type:

[TypeFilter(typeof(FirstFilter), Order = 1)]
[TypeFilter(typeof(SecondFilter), Order = 2)]
public IActionResult Index() { return View(); }

Common Use Cases

  • Authentication/Authorization: Restrict access to resources
  • Logging: Track requests and responses
  • Exception Handling: Global error management
  • Caching: Cache responses for performance
  • Response Modification: Add headers, transform content
  • Validation: Validate models before action execution

Test Your Knowledge

Take a quick quiz to test your understanding of this topic.