좋아 이것은 이전에 요청되었지만 거기에는 고체 솔루션이 없습니다. 그래서 나 자신과 이것이 유용하다고 생각하는 다른 사람들을 위해.
MVC2 (ASP.NET)에서는 누군가가 웹 사이트를 탐색 할 때 기본 영역이 지정되기를 원합니다. 내 사이트로 이동하면 AreaZ의 ControllerX ActionY로 이동합니다.
Global.asax에서 다음 경로 사용
routes.MapRoute(
"Area",
"",
new { area = "AreaZ", controller = "ControllerX ", action = "ActionY " }
);
이제 이것은 올바른 페이지를 제공하려고 시도하는 것처럼 작동합니다. 그러나 MVC는 영역 폴더가 아닌 사이트의 루트에서보기를 계속 찾습니다.
이 문제를 해결할 방법이 있습니까?
편집하다
‘솔루션’이 있으며 ControllerX에 있으며 ActionY는 뷰의 전체 경로를 반환합니다. 약간의 해킹이지만 작동합니다. 그러나 더 나은 해결책이 있기를 바랍니다.
public ActionResult ActionY()
{
return View("~/Areas/AreaZ/views/ActionY.aspx");
}
편집하다:
페이지의 HTML ActionLink가있을 때도 문제가됩니다. 영역이 설정되지 않은 경우 액션 링크는 공백으로 출력됩니다.
이 모든 것이 디자인에 의한 것인지 결함입니까?
답변
이것은 나에게 관심이 있었고 마침내 그것을 조사 할 기회가 생겼습니다. 다른 사람들은 이것이 라우팅 자체 의 문제가 아니라 뷰 를 찾는 문제라는 것을 분명히 이해 하지 못했습니다. 질문 제목이 라우팅에 관한 것임을 나타 내기 때문일 것입니다.
어쨌든 이것은 뷰 관련 문제이므로 원하는 것을 얻는 유일한 방법 은 기본 뷰 엔진 을 재정의하는 것 입니다. 일반적으로이 작업을 수행 할 때 뷰 엔진을 전환하는 단순한 목적 (예 : Spark, NHaml 등)입니다. 이 경우 재정의해야하는 뷰 생성 논리가 아니라 클래스 의 FindPartialView
및 FindView
메서드입니다 VirtualPathProviderViewEngine
.
다른 모든이 (가)에 있기 때문에,이 방법은 실제로 가상 것을 당신에게 행운의 별을 감사 할 수 VirtualPathProviderViewEngine
조차없는 접근 이 개인, 그리고 그게하게 – 아주 당신이 이미 코드의 기본적으로 재 작성 절반에 있기 때문에 짜증나 찾기 논리를 재정의 위치 캐시 및 위치 형식으로 멋지게 재생하려는 경우 작성되었습니다. Reflector를 파헤친 후 마침내 작동하는 해결책을 찾았습니다.
내가 여기서 한 일은 먼저 AreaAwareViewEngine
.NET VirtualPathProviderViewEngine
대신 직접 파생 되는 추상 을 만드는 것입니다 WebFormViewEngine
. 대신 Spark 뷰를 생성하려는 경우 (또는 기타)이 클래스를 기본 유형으로 계속 사용할 수 있도록 이렇게했습니다.
아래 코드는 꽤 길어서 실제로 수행하는 작업에 대한 간략한 요약을 제공합니다 . 컨트롤러 이름 {2}
과 동일한 방식으로 영역 이름에 해당하는 위치 형식 에을 입력 할 수 있습니다 {1}
. 그게 다야! 이것이 우리가이 모든 코드를 작성해야하는 이유입니다.
BaseAreaAwareViewEngine.cs
public abstract class BaseAreaAwareViewEngine : VirtualPathProviderViewEngine
{
private static readonly string[] EmptyLocations = { };
public override ViewEngineResult FindView(
ControllerContext controllerContext, string viewName,
string masterName, bool useCache)
{
if (controllerContext == null)
{
throw new ArgumentNullException("controllerContext");
}
if (string.IsNullOrEmpty(viewName))
{
throw new ArgumentNullException(viewName,
"Value cannot be null or empty.");
}
string area = getArea(controllerContext);
return FindAreaView(controllerContext, area, viewName,
masterName, useCache);
}
public override ViewEngineResult FindPartialView(
ControllerContext controllerContext, string partialViewName,
bool useCache)
{
if (controllerContext == null)
{
throw new ArgumentNullException("controllerContext");
}
if (string.IsNullOrEmpty(partialViewName))
{
throw new ArgumentNullException(partialViewName,
"Value cannot be null or empty.");
}
string area = getArea(controllerContext);
return FindAreaPartialView(controllerContext, area,
partialViewName, useCache);
}
protected virtual ViewEngineResult FindAreaView(
ControllerContext controllerContext, string areaName, string viewName,
string masterName, bool useCache)
{
string controllerName =
controllerContext.RouteData.GetRequiredString("controller");
string[] searchedViewPaths;
string viewPath = GetPath(controllerContext, ViewLocationFormats,
"ViewLocationFormats", viewName, controllerName, areaName, "View",
useCache, out searchedViewPaths);
string[] searchedMasterPaths;
string masterPath = GetPath(controllerContext, MasterLocationFormats,
"MasterLocationFormats", masterName, controllerName, areaName,
"Master", useCache, out searchedMasterPaths);
if (!string.IsNullOrEmpty(viewPath) &&
(!string.IsNullOrEmpty(masterPath) ||
string.IsNullOrEmpty(masterName)))
{
return new ViewEngineResult(CreateView(controllerContext, viewPath,
masterPath), this);
}
return new ViewEngineResult(
searchedViewPaths.Union<string>(searchedMasterPaths));
}
protected virtual ViewEngineResult FindAreaPartialView(
ControllerContext controllerContext, string areaName,
string viewName, bool useCache)
{
string controllerName =
controllerContext.RouteData.GetRequiredString("controller");
string[] searchedViewPaths;
string partialViewPath = GetPath(controllerContext,
ViewLocationFormats, "PartialViewLocationFormats", viewName,
controllerName, areaName, "Partial", useCache,
out searchedViewPaths);
if (!string.IsNullOrEmpty(partialViewPath))
{
return new ViewEngineResult(CreatePartialView(controllerContext,
partialViewPath), this);
}
return new ViewEngineResult(searchedViewPaths);
}
protected string CreateCacheKey(string prefix, string name,
string controller, string area)
{
return string.Format(CultureInfo.InvariantCulture,
":ViewCacheEntry:{0}:{1}:{2}:{3}:{4}:",
base.GetType().AssemblyQualifiedName,
prefix, name, controller, area);
}
protected string GetPath(ControllerContext controllerContext,
string[] locations, string locationsPropertyName, string name,
string controllerName, string areaName, string cacheKeyPrefix,
bool useCache, out string[] searchedLocations)
{
searchedLocations = EmptyLocations;
if (string.IsNullOrEmpty(name))
{
return string.Empty;
}
if ((locations == null) || (locations.Length == 0))
{
throw new InvalidOperationException(string.Format("The property " +
"'{0}' cannot be null or empty.", locationsPropertyName));
}
bool isSpecificPath = IsSpecificPath(name);
string key = CreateCacheKey(cacheKeyPrefix, name,
isSpecificPath ? string.Empty : controllerName,
isSpecificPath ? string.Empty : areaName);
if (useCache)
{
string viewLocation = ViewLocationCache.GetViewLocation(
controllerContext.HttpContext, key);
if (viewLocation != null)
{
return viewLocation;
}
}
if (!isSpecificPath)
{
return GetPathFromGeneralName(controllerContext, locations, name,
controllerName, areaName, key, ref searchedLocations);
}
return GetPathFromSpecificName(controllerContext, name, key,
ref searchedLocations);
}
protected string GetPathFromGeneralName(ControllerContext controllerContext,
string[] locations, string name, string controllerName,
string areaName, string cacheKey, ref string[] searchedLocations)
{
string virtualPath = string.Empty;
searchedLocations = new string[locations.Length];
for (int i = 0; i < locations.Length; i++)
{
if (string.IsNullOrEmpty(areaName) && locations[i].Contains("{2}"))
{
continue;
}
string testPath = string.Format(CultureInfo.InvariantCulture,
locations[i], name, controllerName, areaName);
if (FileExists(controllerContext, testPath))
{
searchedLocations = EmptyLocations;
virtualPath = testPath;
ViewLocationCache.InsertViewLocation(
controllerContext.HttpContext, cacheKey, virtualPath);
return virtualPath;
}
searchedLocations[i] = testPath;
}
return virtualPath;
}
protected string GetPathFromSpecificName(
ControllerContext controllerContext, string name, string cacheKey,
ref string[] searchedLocations)
{
string virtualPath = name;
if (!FileExists(controllerContext, name))
{
virtualPath = string.Empty;
searchedLocations = new string[] { name };
}
ViewLocationCache.InsertViewLocation(controllerContext.HttpContext,
cacheKey, virtualPath);
return virtualPath;
}
protected string getArea(ControllerContext controllerContext)
{
// First try to get area from a RouteValue override, like one specified in the Defaults arg to a Route.
object areaO;
controllerContext.RouteData.Values.TryGetValue("area", out areaO);
// If not specified, try to get it from the Controller's namespace
if (areaO != null)
return (string)areaO;
string namespa = controllerContext.Controller.GetType().Namespace;
int areaStart = namespa.IndexOf("Areas.");
if (areaStart == -1)
return null;
areaStart += 6;
int areaEnd = namespa.IndexOf('.', areaStart + 1);
string area = namespa.Substring(areaStart, areaEnd - areaStart);
return area;
}
protected static bool IsSpecificPath(string name)
{
char ch = name[0];
if (ch != '~')
{
return (ch == '/');
}
return true;
}
}
이제 언급했듯이 이것은 구체적인 엔진이 아니므로이를 만들어야합니다. 다행히도이 부분은 훨씬 더 쉽습니다. 우리가해야 할 일은 기본 형식을 설정하고 실제로 뷰를 만드는 것입니다.
AreaAwareViewEngine.cs
public class AreaAwareViewEngine : BaseAreaAwareViewEngine
{
public AreaAwareViewEngine()
{
MasterLocationFormats = new string[]
{
"~/Areas/{2}/Views/{1}/{0}.master",
"~/Areas/{2}/Views/{1}/{0}.cshtml",
"~/Areas/{2}/Views/Shared/{0}.master",
"~/Areas/{2}/Views/Shared/{0}.cshtml",
"~/Views/{1}/{0}.master",
"~/Views/{1}/{0}.cshtml",
"~/Views/Shared/{0}.master"
"~/Views/Shared/{0}.cshtml"
};
ViewLocationFormats = new string[]
{
"~/Areas/{2}/Views/{1}/{0}.aspx",
"~/Areas/{2}/Views/{1}/{0}.ascx",
"~/Areas/{2}/Views/{1}/{0}.cshtml",
"~/Areas/{2}/Views/Shared/{0}.aspx",
"~/Areas/{2}/Views/Shared/{0}.ascx",
"~/Areas/{2}/Views/Shared/{0}.cshtml",
"~/Views/{1}/{0}.aspx",
"~/Views/{1}/{0}.ascx",
"~/Views/{1}/{0}.cshtml",
"~/Views/Shared/{0}.aspx"
"~/Views/Shared/{0}.ascx"
"~/Views/Shared/{0}.cshtml"
};
PartialViewLocationFormats = ViewLocationFormats;
}
protected override IView CreatePartialView(
ControllerContext controllerContext, string partialPath)
{
if (partialPath.EndsWith(".cshtml"))
return new System.Web.Mvc.RazorView(controllerContext, partialPath, null, false, null);
else
return new WebFormView(controllerContext, partialPath);
}
protected override IView CreateView(ControllerContext controllerContext,
string viewPath, string masterPath)
{
if (viewPath.EndsWith(".cshtml"))
return new RazorView(controllerContext, viewPath, masterPath, false, null);
else
return new WebFormView(controllerContext, viewPath, masterPath);
}
}
표준에 몇 가지 항목을 추가했습니다 ViewLocationFormats
. 이들은 새로운 {2}
이 항목 {2}
받는 사람 매핑됩니다 area
우리는에 넣어 RouteData
. 나는 MasterLocationFormats
혼자 남겨 두 었지만 분명히 당신이 원한다면 그것을 바꿀 수 있습니다.
이제이 global.asax
뷰 엔진을 등록 하도록 수정하십시오 .
Global.asax.cs
protected void Application_Start()
{
RegisterRoutes(RouteTable.Routes);
ViewEngines.Engines.Clear();
ViewEngines.Engines.Add(new AreaAwareViewEngine());
}
… 기본 경로를 등록합니다.
public static void RegisterRoutes(RouteCollection routes)
{
routes.IgnoreRoute("{resource}.axd/{*pathInfo}");
routes.MapRoute(
"Area",
"",
new { area = "AreaZ", controller = "Default", action = "ActionY" }
);
routes.MapRoute(
"Default",
"{controller}/{action}/{id}",
new { controller = "Home", action = "Index", id = "" }
);
}
이제 AreaController
방금 참조한 다음을 만듭니다 .
DefaultController.cs (~ / Controllers /)
public class DefaultController : Controller
{
public ActionResult ActionY()
{
return View("TestView");
}
}
분명히 우리는 디렉토리 구조와 뷰가 필요합니다-우리는 이것을 매우 간단하게 유지할 것입니다 :
TestView.aspx (~ / Areas / AreaZ / Views / Default / 또는 ~ / Areas / AreaZ / Views / Shared /)
<%@ Page Title="" Language="C#" Inherits="System.Web.Mvc.ViewPage" %>
<h2>TestView</h2>
This is a test view in AreaZ.
그리고 그게 다야. 마지막으로 완료되었습니다 .
대부분의 경우, 당신은 단지를 취할 수 있어야 BaseAreaAwareViewEngine
하고 AreaAwareViewEngine
그것이이 끝내야 코드를 많이했다 순간에도, 어떤 MVC 프로젝트에 드롭, 당신은 한 번만 작성해야합니다. 그 후에는 몇 줄을 편집하고 global.asax.cs
사이트 구조를 만드는 문제입니다 .
답변
이것이 내가 한 방법입니다. MapRoute ()가 지역 설정을 허용하지 않는 이유를 모르겠지만 원하는 추가 변경을 계속할 수 있도록 경로 객체를 반환합니다. 엔터프라이즈 고객에게 판매되는 모듈 식 MVC 사이트가 있고 새 모듈을 추가하기 위해 dll을 bin 폴더에 놓을 수 있어야하기 때문에 이것을 사용합니다. AppSettings 구성에서 “HomeArea”를 변경할 수 있습니다.
var route = routes.MapRoute(
"Home_Default",
"",
new {controller = "Home", action = "index" },
new[] { "IPC.Web.Core.Controllers" }
);
route.DataTokens["area"] = area;
편집 : 사용자가 기본적으로 이동하려는 영역에 대한 AreaRegistration.RegisterArea에서도 이것을 시도 할 수 있습니다. 나는 그것을 테스트하지 않았지만 AreaRegistrationContext.MapRoute가 route.DataTokens["area"] = this.AreaName;
당신을 위해 설정 합니다.
context.MapRoute(
"Home_Default",
"",
new {controller = "Home", action = "index" },
new[] { "IPC.Web.Core.Controllers" }
);
답변
이미 답변 된 경우에도-이것은 짧은 구문 (ASP.net 3, 4, 5)입니다.
routes.MapRoute("redirect all other requests", "{*url}",
new {
controller = "UnderConstruction",
action = "Index"
}).DataTokens = new RouteValueDictionary(new { area = "Shop" });
답변
뷰를 찾는 것에 관한 것이라고 지적한 Aaron 덕분에 나는 그것을 오해했다.
[업데이트] 방금 코드 나 조회 경로를 엉망으로 만들지 않고 기본적으로 사용자를 Area로 보내는 프로젝트를 만들었습니다.
global.asax에서 평소와 같이 등록합니다.
public static void RegisterRoutes(RouteCollection routes)
{
routes.IgnoreRoute("{resource}.axd/{*pathInfo}");
routes.MapRoute(
"Default", // Route name
"{controller}/{action}/{id}", // URL with parameters
new { controller = "Home", action = "Index", id = ""} // Parameter defaults,
);
}
에서는 Application_Start()
다음 순서를 사용해야합니다.
protected void Application_Start()
{
AreaRegistration.RegisterAllAreas();
RegisterRoutes(RouteTable.Routes);
}
당신 지역 등록, 사용
public override void RegisterArea(AreaRegistrationContext context)
{
context.MapRoute(
"ShopArea_default",
"{controller}/{action}/{id}",
new { action = "Index", id = "", controller = "MyRoute" },
new { controller = "MyRoute" }
);
}
예는 http://www.emphess.net/2010/01/31/areas-routes-and-defaults-in-mvc-2-rc/ 에서 찾을 수 있습니다
.
나는 이것이 당신이 요청한 것이기를 정말로 바랍니다.
////
ViewEngine
이 경우 의사를 작성하는 것이 최선의 해결책 이라고 생각하지 않습니다 . (평판이 부족하고 댓글을 달 수 없습니다). 는 WebFormsViewEngine
지역 인식하고 포함 AreaViewLocationFormats
으로, 기본적으로 정의된다
AreaViewLocationFormats = new[] {
"~/Areas/{2}/Views/{1}/{0}.aspx",
"~/Areas/{2}/Views/{1}/{0}.ascx",
"~/Areas/{2}/Views/Shared/{0}.aspx",
"~/Areas/{2}/Views/Shared/{0}.ascx",
};
나는 당신이이 협약을 고수하지 않는다고 믿습니다. 게시했습니다.
public ActionResult ActionY()
{
return View("~/Areas/AreaZ/views/ActionY.aspx");
}
작동하는 해킹이지만
return View("~/Areas/AreaZ/views/ControllerX/ActionY.aspx");
그러나 규칙을 따르고 싶지 않은 WebFormViewEngine
경우 생성자에서 조회 경로를 설정할 수있는 위치 (예 : MvcContrib에서 수행됨)에서 파생하여 짧은 경로를 사용 하거나 -a 약간 해키-다음과 같이 규칙을 지정하여 Application_Start
:
((VirtualPathProviderViewEngine)ViewEngines.Engines[0]).AreaViewLocationFormats = ...;
물론 조금 더주의를 기울여 수행해야하지만, 그 생각을 잘 보여주고 있다고 생각합니다. 이 필드는 다음 public
에서 VirtualPathProviderViewEngine
MVC 2 RC에.
답변
사용자 ~/AreaZ
가 ~/
URL 을 방문 하면 URL 로 리디렉션되기를 원합니다 . 루트 내에서 다음 코드를 통해 달성 할 수 있습니다 HomeController
.
public class HomeController
{
public ActionResult Index()
{
return RedirectToAction("ActionY", "ControllerX", new { Area = "AreaZ" });
}
}
그리고 Global.asax
.
routes.MapRoute(
"Redirection to AreaZ",
String.Empty,
new { controller = "Home ", action = "Index" }
);
답변
첫째, 어떤 버전의 MVC2를 사용하고 있습니까? preview2에서 RC로 크게 변경되었습니다.
RC를 사용한다고 가정하면 경로 매핑이 다르게 보일 것이라고 생각합니다. 에서 AreaRegistration.cs
귀하의 지역에서, 당신은 기본 경로, 예를 들어, 어떤 종류를 등록 할 수 있습니다
context.MapRoute(
"ShopArea_default",
"{controller}/{action}/{id}",
new { action = "Index", id = "", controller="MyRoute" }
);
위의 코드는에 사용자를 보내드립니다 MyRouteController
우리의ShopArea
당 기본.
컨트롤러를 지정해야하므로 빈 문자열을 두 번째 매개 변수로 사용하면 예외가 발생해야합니다.
물론 기본 경로를 변경해야합니다. Global.asax
이 기본 경로를 방해하지 않도록 합니다 (예 : 기본 사이트에 접두사 사용).
또한이 스레드와 Haack의 답변을 참조하십시오. MVC 2 AreaRegistration Routes Order
도움이 되었기를 바랍니다.
답변
내 Application_Start에 다음을 추가하면 RC에이 설정이 있는지 확실하지 않지만 저에게 효과적입니다.
var engine = (WebFormViewEngine)ViewEngines.Engines.First();
// These additions allow me to route default requests for "/" to the home area
engine.ViewLocationFormats = new string[] {
"~/Views/{1}/{0}.aspx",
"~/Views/{1}/{0}.ascx",
"~/Areas/{1}/Views/{1}/{0}.aspx", // new
"~/Areas/{1}/Views/{1}/{0}.ascx", // new
"~/Areas/{1}/Views/{0}.aspx", // new
"~/Areas/{1}/Views/{0}.ascx", // new
"~/Views/{1}/{0}.ascx",
"~/Views/Shared/{0}.aspx",
"~/Views/Shared/{0}.ascx"
};