Skip to content

Instantly share code, notes, and snippets.

@tuespetre
Created October 7, 2024 16:06
Show Gist options
  • Save tuespetre/6be4cc9a02acc3f44440611780636502 to your computer and use it in GitHub Desktop.
Save tuespetre/6be4cc9a02acc3f44440611780636502 to your computer and use it in GitHub Desktop.
ExplicitHandlerResolutionPageFilter.cs

A Razor Page will, by default, handle any HTTP method (standard or custom) you throw at it. For instance, even if you have only defined OnGet in your PageModel, and you never intended for the page to handle POST requests, it will respond with 200 OK to a POST request (assuming a NullReferenceException was not thrown while rendering the .cshtml file due to population logic in OnGet never having run.)

It will also silently delegate requests intended for a named handler to an unnamed handler: if you have defined OnGet and OnGetFoo in your PageModel, but you send a GET request for /mypage?handler=Bar (or say, /mypage/bar if you put the handler in the route template), the OnGet method will be invoked.

This gist includes a ExplicitHandlerResolutionPageFilter class that can be added to your application's configuration at startup to tighten up this behavior, so you can be sure that your Razor Pages will only expose exactly the endpoints you intended them to. Just copy it to your project, give it an appropriate namespace, and configure it in your Program.cs or Startup.cs (or whatever) like this:

builder.Services.AddRazorPages(o =>
{
    o.Conventions.ConfigureFilter(new ExplicitHandlerResolutionPageFilter());
});

Or like this:

builder.Services.Configure<MvcOptions>(o =>
{
    o.Filters.Add(new ExplicitHandlerResolutionPageFilter());
});
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Filters;
namespace ___YourNamespaceHere___.Extensions;
public class ExplicitHandlerResolutionPageFilter : IPageFilter
{
public void OnPageHandlerExecuted(PageHandlerExecutedContext context)
{
}
public void OnPageHandlerExecuting(PageHandlerExecutingContext context)
{
// Only handle page requests if a handler method was resolved.
// e.g. OnGet, OnPostAsync, OnDelete, OnGetFoo, etc.
if (context.HandlerMethod is null)
{
context.Result = new StatusCodeResult(405);
return;
}
// Only handle page requests with a handler name if a named handler method was resolved.
// e.g. OnGetFoo, OnPostBarAsync, OnPutBaz, etc.
if (context.HandlerMethod.Name is null
&& (context.HttpContext.Request.Query.ContainsKey("handler")
|| context.RouteData.Values.ContainsKey("handler")))
{
context.Result = new NotFoundResult();
return;
}
}
public void OnPageHandlerSelected(PageHandlerSelectedContext context)
{
}
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment