基本上,我有一个使用ASP.NET MVC构建的CMS后端,现在我要转到前端站点,并且需要能够根据输入的路由从cms数据库加载页面。
因此,如果用户输入domain.com/students/information,MVC将在pages表中查找是否存在一个具有与学生/信息匹配的永久链接的页面,如果是这样,它将重定向到页面控制器,然后加载该页面数据库中的数据并将其返回到视图以显示。
到目前为止,我已经尝试了一条通吃的路线,但是它仅适用于两个URL段,因此/ students / information无效,但对/ students / information / fall无效。我在网上找不到有关如何完成此操作的任何信息,因此尽管我会在这里问,但是在找到并开源ASP.NET MVC cms并剖析代码之前,我会在这里问。
这是我到目前为止的路由配置,但是我觉得有更好的方法可以做到这一点。
public static void RegisterRoutes(RouteCollection routes) { routes.IgnoreRoute("{resource}.axd/{*pathInfo}"); // Default route to handle core pages routes.MapRoute(null,"{controller}/{action}/{id}", new { action = "Index", id = UrlParameter.Optional }, new { controller = "Index" } ); // CMS route to handle routing to the PageController to check the database for the route. var db = new MvcCMS.Models.MvcCMSContext(); //var page = db.CMSPages.Where(p => p.Permalink == ) routes.MapRoute( null, "{*.}", new { controller = "Page", action = "Index" } ); }
如果有人能为我指明正确的方向,说明我如何从数据库中加载CMS页面(最多包含三个URL段),并且仍然能够加载具有预定义的控制器和操作的核心页面。
您可以使用约束来决定是否覆盖默认路由逻辑。
public class CmsUrlConstraint : IRouteConstraint { public bool Match(HttpContextBase httpContext, Route route, string parameterName, RouteValueDictionary values, RouteDirection routeDirection) { var db = new MvcCMS.Models.MvcCMSContext(); if (values[parameterName] != null) { var permalink = values[parameterName].ToString(); return db.CMSPages.Any(p => p.Permalink == permalink); } return false; } }
在路由定义中使用它,例如
routes.MapRoute( name: "CmsRoute", url: "{*permalink}", defaults: new {controller = "Page", action = "Index"}, constraints: new { permalink = new CmsUrlConstraint() } ); routes.MapRoute( name: "Default", url: "{controller}/{action}/{id}", defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional } );
现在,如果您在“页面”控制器中执行“索引”操作,
public ActionResult Index(string permalink) { //load the content from db with permalink //show the content with view }
编辑
为了避免Index在Page控制器的操作中重新查询cms页面,可以使用HttpContext.Items字典,例如
Index
Page
HttpContext.Items
在约束中
var db = new MvcCMS.Models.MvcCMSContext(); if (values[parameterName] != null) { var permalink = values[parameterName].ToString(); var page = db.CMSPages.Where(p => p.Permalink == permalink).FirstOrDefault(); if(page != null) { HttpContext.Items["cmspage"] = page; return true; } return false; } return false;
然后在行动中
public ActionResult Index(string permalink) { var page = HttpContext.Items["cmspage"] as CMSPage; //show the content with view }
希望这可以帮助。