ASP.NET MVC Routes: How do I omit “index” from a URL

后端 未结 2 1434
心在旅途
心在旅途 2021-01-27 04:48

I have a controller called \"StuffController\" with a parameterless Index action. I want this action to be called from a URL in the form mysite.com/stuff

My

相关标签:
2条回答
  • 2021-01-27 05:17

    HTTP Error 403.14 - Forbidden The Web server is configured to not list the contents of this directory.

    The error indicates that you have a virtual directory (probably a physical one) in your project called /Stuff. By default, IIS will first reach this directory and look for a default page (for example /index.html), and if no default page exists will attempt to list the contents of the directory (which requires a configuration setting).

    This all happens before IIS passes the call to .NET routing, so having a directory with the name /Stuff is causing your application not to function correctly. You need to either delete the directory named /Stuff or use a different name for your route.

    And as others have mentioned, the default route covers this scenario so there is no need for a custom route in this case.

    public static void RegisterRoutes(RouteCollection routes)
    {
        routes.IgnoreRoute("{resource}.axd/{*pathInfo}");
    
        // Passing the URL `/Stuff` will match this route and cause it
        // to look for a controller named `StuffController` with action named `Index`.
        routes.MapRoute(
            name: "Default",
            url: "{controller}/{action}/{id}",
            defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional }
        );
    }
    
    0 讨论(0)
  • 2021-01-27 05:22

    It seems that your scenario is covered fine by default route, so there is no need for a custom Stuff one.

    As to why the error is thrown, the fact that action is listed in defaults does not mean that it is actually becoming a part of a route. It should be mentioned in the route, otherwise it appears as there is no action at all. So what I think happens here is that first route is matched, but it cannot be processed as there is no action specified, so MVC passes request on to IIS, which throws the named error.

    The fix would be simple:

    // Custom route to show index
    routes.MapRoute(
        name: "StuffList",
        url: "Stuff/{action}",
        defaults: new { controller = "Stuff", action = "Index" }
    );
    

    But again, you shouldn't need that at all.

    0 讨论(0)
提交回复
热议问题