MVC 4 URL 路由,用于吸收旧的旧 URL 并转发到新域
本文关键字:URL 新域 转发 路由 用于 MVC | 更新日期: 2023-09-27 18:36:52
我的域名曾经指向一个wordpress网站,我使用以下格式设置了特定的页面:
www.mydomain.com/product/awesome-thing
www.mydomain.com/product/another-thing
最近我转移了我的域名,现在它指向我网站的 MVC 版本。上面提到的链接不再有效,但是wordpress网站仍然存在,具有不同的域。我正在尝试让我的 mvc 网站吸收以前的链接并将它们转发到
http://mydomain.wordpress.com/product/awesome-thing
http://mydomain.wordpress.com/product/another-thing
我现在拥有的是RouteConfig.cs
中的以下内容
routes.MapRoute(
name: "product",
url: "product/{id}",
defaults: new { controller = "product", action = "redirect", id = UrlParameter.Optional });
在我的产品控制器中,我有以下内容
public void redirect(string id)
{
if (id == "awesome-thing")
{
Response.Redirect("http://mydomain.wordpress.com/product/awesome-thing ");
}
if (id == "another-thing")
{
Response.Redirect("http://mydomain.wordpress.com/product/another-thing");
}
Response.Redirect(" http://mydomain.wordpress.com/");
}
但是,我在RouteConfig.cs
中的路由未与控制器正确连接。我不断收到"404 找不到资源"错误。
我设法通过重新排序我的地图路线来解决这个问题。我还稍微更改了控制器和地图路由中的代码,以下代码最终有效。
routes.MapRoute(
name: "productAwesome",
url: "product/awesome-thing",
defaults: new { controller = "product", action = "redirectAwsome" });
routes.MapRoute(
name: "productAnother",
url: "product/another-thing",
defaults: new { controller = "product", action = "redirectAnother" });
//it's important to have the overriding routes before the default definition.
routes.MapRoute(
name: "Default",
url: "{controller}/{action}/{id}",
defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional }
);
然后在产品控制器中,我添加了以下内容:
public class productController : Controller
{
public void redirectAwsome()
{
Response.Redirect("http://mydomain.wordpress.com/product/awesome-thing ");
}
public void redirectAnother()
{
Response.Redirect("http://mydomain.wordpress.com/product/another-thing");
}
}