views:

30

answers:

1

I am building a simple performance logger that hooks in to Application_EndRequest / Application_BeginRequest

I would like to send my logger the name of the action and controller as some sort of key.

How can I access this information? (Don't mind if I have to intercept it earlier on and keep it around in the context)

+1  A: 

Not sure that you can.

I poked around the HttpContext.Current and found that on the second (and subsequent requests), the HttpContext.Current.Items collection contains an instance of a System.Web.Routing.UrlRoutingModule.RequestData class. Unfortunately, this class is private so you can't access its data. In the debugger, however, it seems that this contains the information you're looking for (not sure why it doesn't exist on the first request though).

Alternatively, could you just use an action filter and add that to a BaseController class that all of your controllers derive from? Something like:

public class LoggingActionAttribute : ActionFilterAttribute
{
    public override void OnActionExecuting(ActionExecutingContext filterContext)
    {
        base.OnActionExecuting(filterContext);
        var controllerName = filterContext.Controller.ControllerContext.RouteData.Values["controller"];
        var actionName = filterContext.Controller.ControllerContext.RouteData.Values["action"];
    }
}

Then create a base controller class with this attribute:

[LoggingAction]
public abstract class BaseController : Controller
{
}
Patrick Steele
yerp ... we are inheriting off a base controller so the ActionFilter approach works
Sam Saffron
btw, we already had an override of `Initialize(RequestContext requestContext)` so I placed the code that stuffs it in the context there. Seems to work fine.
Sam Saffron