Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I get RouteData in Application_EndRequest

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)

like image 514
Sam Saffron Avatar asked Oct 26 '10 22:10

Sam Saffron


3 Answers

I know this is an old question, but you can access the requested information using:

HttpContext.Current.Request.RequestContext.RouteData.Values("controller")
HttpContext.Current.Request.RequestContext.RouteData.Values("action")
like image 185
Mike Manard Avatar answered Nov 10 '22 17:11

Mike Manard


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
{
}
like image 41
PatrickSteele Avatar answered Nov 10 '22 16:11

PatrickSteele


This is working:

    protected void Application_BeginRequest(object sender, EventArgs e)
    {
        var context = new HttpContextWrapper(HttpContext.Current);
        var rd = RouteTable.Routes.GetRouteData(context);
        // use rd

    }
like image 1
ʞᴉɯ Avatar answered Nov 10 '22 17:11

ʞᴉɯ