通常咱們在mvc開發過程當中,都會碰到這樣的問題。頁面老是寫在Views文件夾下,並且還只能一個Controller的頁面只能寫在相應的以 Controller名命名的文件夾下。若是咱們寫到別處呢?那麼確定會報錯。這是mvc中一個約定俗成的一個規定,必須這樣寫。html
咱們要訪問Index頁面,只須要輸入Home/Index就能夠訪問了。咱們之因此可以這樣訪問,是由於咱們在項目建立之初系統就默認配置了一個默認的路由。咱們能夠按照這個默認的路由規則進行訪問。mvc
若是咱們要訪問Admin下的TestController裏面的Index頁面,那麼咱們輸入Test/Index,這個確定不行的。由於TestController根本就不在Controllers的根目錄下,而是在Controllers/Admin下,這樣咱們根本就找不到Test這個Controller。那麼咱們輸入Admin/Test/Index,那麼咱們就須要添加一個路由配置了,由於之前的默認路由只能經過{Controller}/{Action}/{Id}這種方式訪問,就是必須以Controller開頭。咱們從新配置的路由以下:ide
public static void RegisterRoutes(RouteCollection routes) { routes.IgnoreRoute("{resource}.axd/{*pathInfo}"); //路由規則匹配是從上到下的,優先匹配的路由必定要寫在最上面。由於路由匹配成功之後,他不會繼續匹配下去。 routes.MapRoute( "Admin", // 路由名稱,這個只要保證在路由集合中惟一便可 "Admin/{controller}/{action}/{id}", //路由規則,匹配以Admin開頭的url new { controller = "Home", action = "Index", id = UrlParameter.Optional } // ); routes.MapRoute( "Default", // Route name "{controller}/{action}/{id}", // URL with parameters new { controller = "Home", action = "Index", id = UrlParameter.Optional } // Parameter defaults ); }
那麼咱們這個時候再次輸入Admin/Test/Index,能找到Views/Admin/Test/Index.cshtml這個頁面嗎?顯然是不能的,由於除了路由配置怎麼訪問Controller外,尋找Views裏面的頁面也有本身的規則。測試結果確定是找不到頁面,咱們看看錯誤信息就知道他是怎麼尋找cshtml頁面了。測試
- Views/{1}/{0}.cshtml
- Views/Shared/{0}.cshtml
{1}表示Controller的名稱,{0}表示視圖名稱,Shared是存放模板頁的文件夾。一看就很清楚了。這個就是尋找視圖的規則,因此咱們存放在Admin/Test/Index.cshtml的存放規則就不知足。那麼咱們修改下,以下圖:url
直接將Test文件夾存放在Views下面,那麼咱們就知足這個尋找視圖的規則了,咱們輸入Admin/Test/Index,也確實訪問成功了。spa
可是這個方式的存儲確定不是咱們須要的,既然咱們Controller區分存放了,咱們確定也但願Views也可以這樣存放的。翻譯
在項目中新創建一個cs類MyViewEngine,繼承RazorViewEngine。代碼以下:code
using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.Mvc; namespace MvcRoute.MvcEx { public sealed class MyViewEngine : RazorViewEngine { public MyViewEngine() { ViewLocationFormats = new[] { "~/Views/{1}/{0}.cshtml", "~/Views/Shared/{0}.cshtml", "~/Views/Admin/{1}/{0}.cshtml"//咱們的規則 }; } public override ViewEngineResult FindView(ControllerContext controllerContext, string viewName, string masterName, bool useCache) { return base.FindView(controllerContext, viewName, masterName, useCache); } } }
而後將這個規則註冊到系統中,在global中註冊一下,這樣咱們就能夠經過本身的方式來訪問了。global註冊以下:orm
protected void Application_Start() { AreaRegistration.RegisterAllAreas(); RegisterGlobalFilters(GlobalFilters.Filters); RegisterRoutes(RouteTable.Routes); RegisterView();//註冊視圖訪問規則 } protected void RegisterView() { ViewEngines.Engines.Clear(); ViewEngines.Engines.Add(new MyViewEngine()); }
結果以下圖:htm