Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Can ASP.NET Routing be used to create "clean" URLs for .ashx (IHttpHander) handlers?

I have some REST services using plain old IHttpHandlers. I'd like to generate cleaner URLs, so that I don't have the .ashx in the path. Is there a way to use ASP.NET routing to create routes that map to ashx handlers? I've seen these types of routes previously:

// Route to an aspx page RouteTable.Routes.MapPageRoute("route-name",     "some/path/{arg}",     "~/Pages/SomePage.aspx");  // Route for a WCF service RouteTable.Routes.Add(new ServiceRoute("Services/SomeService",     new WebServiceHostFactory(),     typeof(SomeService))); 

Trying to use RouteTable.Routes.MapPageRoute() generates an error (that the handler does not derive from Page). System.Web.Routing.RouteBase only seems to have 2 derived classes: ServiceRoute for services, and DynamicDataRoute for MVC. I'm not sure what MapPageRoute() does (Reflector doesn't show the method body, it just shows "Performance critical to inline this type of method across NGen image boundaries").

I see that RouteBase is not sealed, and has a relatively simple interface:

public abstract RouteData GetRouteData(HttpContextBase httpContext);  public abstract VirtualPathData GetVirtualPath(RequestContext requestContext,     RouteValueDictionary values); 

So perhaps I can make my own HttpHandlerRoute. I'll give that a shot, but if anyone knows of an existing or built-in way of mapping routes to IHttpHandlers, that would be great.

like image 221
Samuel Meacham Avatar asked Jul 29 '10 05:07

Samuel Meacham


People also ask

What is URL routing in asp net?

ASP.NET Routing Overview. URL routing allows you to configure an application to accept request URLs that do not map to physical files. A request URL is simply the URL a user enters into their browser to find a page on your web site.

What is Handler ASHX in asp net?

What is an ASHX file? An ASHX file is a webpage that is used by the ASP.NET HTTP Handler to serve user with the pages that are referenced inside this file. The ASP.NET HTTP Handler processes the incoming request, references the pages from the . ashx file, and sends back the compiled page back to the user's browser.


1 Answers

Ok, I've been figuring this out since I originally asked the question, and I finally have a solution that does just what I want. A bit of up front explanation is due, however. IHttpHandler is a very basic interface:

bool IsReusable { get; } void ProcessRequest(HttpContext context) 

There is no built in property for accessing the route data, and the route data also can't be found in the context or the request. A System.Web.UI.Page object has a RouteData property , ServiceRoutes do all the work of interpreting your UriTemplates and passing the values to the correct method internally, and ASP.NET MVC provides its own way of accessing the route data. Even if you had a RouteBase that (a) determined if the incoming url was a match for your route and (b) parsed the url to extract all of the individual values to be used from within your IHttpHandler, there's no easy way to pass that route data to your IHttpHandler. If you want to keep your IHttpHandler "pure", so to speak, it takes responsibility for dealing with the url, and how to extract any values from it. The RouteBase implementation in this case is only used to determine if your IHttpHandler should be used at all.

One problem remains, however. Once the RouteBase determines that the incoming url is a match for your route, it passes off to an IRouteHandler, which creates the instances of the IHttpHandler you want to handle your request. But, once you're in your IHttpHandler, the value of context.Request.CurrentExecutionFilePath is misleading. It's the url that came from the client, minus the query string. So it's not the path to your .ashx file. And, any parts of your route that are constant (such as the name of the method) will be part of that execution file path value. This can be a problem if you use UriTemplates within your IHttpHandler to determine which specific method within your IHttpHandler should handing the request.

Example: If you had a .ashx handler at /myApp/services/myHelloWorldHandler.ashx And you had this route that mapped to the handler: "services/hello/{name}" And you navigated to this url, trying to call the SayHello(string name) method of your handler: http://localhost/myApp/services/hello/SayHello/Sam

Then your CurrentExecutionFilePath would be: /myApp/services/hello/Sam. It includes parts of the route url, which is a problem. You want the execution file path to match your route url. The below implementations of RouteBase and IRouteHandler deal with this problem.

Before I paste the 2 classes, here's a very simple usage example. Note that these implementations of RouteBase and IRouteHandler will actually work for IHttpHandlers that don't even have a .ashx file, which is pretty convenient.

// A "headless" IHttpHandler route (no .ashx file required) RouteTable.Routes.Add(new GenericHandlerRoute<HeadlessService>("services/headless")); 

That will cause all incoming urls that match the "services/headless" route to be handed off to a new instance of the HeadlessService IHttpHandler (HeadlessService is just an example in this case. It would be whatever IHttpHandler implementation you wanted to pass off to).

Ok, so here are the routing class implementations, comments and all:

/// <summary> /// For info on subclassing RouteBase, check Pro Asp.NET MVC Framework, page 252. /// Google books link: http://books.google.com/books?id=tD3FfFcnJxYC&pg=PA251&lpg=PA251&dq=.net+RouteBase&source=bl&ots=IQhFwmGOVw&sig=0TgcFFgWyFRVpXgfGY1dIUc0VX4&hl=en&ei=z61UTMKwF4aWsgPHs7XbAg&sa=X&oi=book_result&ct=result&resnum=6&ved=0CC4Q6AEwBQ#v=onepage&q=.net%20RouteBase&f=false ///  /// It explains how the asp.net runtime will call GetRouteData() for every route in the route table. /// GetRouteData() is used for inbound url matching, and should return null for a negative match (the current requests url doesn't match the route). /// If it does match, it returns a RouteData object describing the handler that should be used for that request, along with any data values (stored in RouteData.Values) that /// that handler might be interested in. ///  /// The book also explains that GetVirtualPath() (used for outbound url generation) is called for each route in the route table, but that is not my experience, /// as mine used to simply throw a NotImplementedException, and that never caused a problem for me.  In my case, I don't need to do outbound url generation, /// so I don't have to worry about it in any case. /// </summary> /// <typeparam name="T"></typeparam> public class GenericHandlerRoute<T> : RouteBase where T : IHttpHandler, new() {     public string RouteUrl { get; set; }       public GenericHandlerRoute(string routeUrl)     {         RouteUrl = routeUrl;     }       public override RouteData GetRouteData(HttpContextBase httpContext)     {         // See if the current request matches this route's url         string baseUrl = httpContext.Request.CurrentExecutionFilePath;         int ix = baseUrl.IndexOf(RouteUrl);         if (ix == -1)             // Doesn't match this route.  Returning null indicates to the asp.net runtime that this route doesn't apply for the current request.             return null;          baseUrl = baseUrl.Substring(0, ix + RouteUrl.Length);          // This is kind of a hack.  There's no way to access the route data (or even the route url) from an IHttpHandler (which has a very basic interface).         // We need to store the "base" url somewhere, including parts of the route url that are constant, like maybe the name of a method, etc.         // For instance, if the route url "myService/myMethod/{myArg}", and the request url were "http://localhost/myApp/myService/myMethod/argValue",         // the "current execution path" would include the "myServer/myMethod" as part of the url, which is incorrect (and it will prevent your UriTemplates from matching).         // Since at this point in the exectuion, we know the route url, we can calculate the true base url (excluding all parts of the route url).         // This means that any IHttpHandlers that use this routing mechanism will have to look for the "__baseUrl" item in the HttpContext.Current.Items bag.         // TODO: Another way to solve this would be to create a subclass of IHttpHandler that has a BaseUrl property that can be set, and only let this route handler         // work with instances of the subclass.  Perhaps I can just have RestHttpHandler have that property.  My reticence is that it would be nice to have a generic         // route handler that works for any "plain ol" IHttpHandler (even though in this case, you have to use the "global" base url that's stored in HttpContext.Current.Items...)         // Oh well.  At least this works for now.         httpContext.Items["__baseUrl"] = baseUrl;          GenericHandlerRouteHandler<T> routeHandler = new GenericHandlerRouteHandler<T>();         RouteData rdata = new RouteData(this, routeHandler);          return rdata;     }       public override VirtualPathData GetVirtualPath(RequestContext requestContext, RouteValueDictionary values)     {         // This route entry doesn't generate outbound Urls.         return null;     } }    public class GenericHandlerRouteHandler<T> : IRouteHandler where T : IHttpHandler, new() {     public IHttpHandler GetHttpHandler(RequestContext requestContext)     {         return new T();     } } 

I know this answer has been quite long winded, but it was not an easy problem to solve. The core logic was easy enough, the trick was to somehow make your IHttpHandler aware of the "base url", so that it could properly determine what parts of the url belong to the route, and what parts are actual arguments for the service call.

These classes will be used in my upcoming C# REST library, RestCake. I hope that my path down the routing rabbit hole will help anyone else who decides to RouteBase, and do cool stuff with IHttpHandlers.

like image 79
Samuel Meacham Avatar answered Sep 18 '22 07:09

Samuel Meacham