[ASP.NET MVC Mavericks Road] 08 - Area use
[ASP.NET
MVC Mavericks Road]08 - Area Using
ASP.NET MVC allows the use of Areas (areas) to organize Web applications. Each Area represents a different aspect of the application. functional module. This is very useful for large projects. Area allows each functional module to have its own folder with its own Controller, View and Model, but it also adds a certain degree of difficulty to management.
Directory of this article
Create Area
Right-click the project and select Add->Area, the following dialog box for filling in Area will pop up:
After clicking Add, the project directory structure is as follows:
Similar to creating an empty MVC project structure, the Admin Area has its own Controllers, Models and Views folders, the difference is that there is an additional AdminAreaRegistration.cs file. This file defines a class called AdminAreaRegistration. Its content is as follows:
namespace MvcApplication1.Areas.Admin { public class AdminAreaRegistration : AreaRegistration { public override string AreaName { get { return "Admin"; } } public override void RegisterArea(AreaRegistrationContext context) { context.MapRoute( "Admin_default", "Admin/{controller}/{action}/{id}", new { action = "Index", id = UrlParameter.Optional } ); } } }
AdminAreaRegistration automatically generated by the system The class inherits from the abstract class AreaRegistration and overrides the
AreaName property and RegisterArea method. In the RegisterArea method, it defines a default route for us. We can also define other routes specific to the Admin Area in this method. But one thing to note is that if you want to name the route here, make sure it is different from the entire application.
The MapRoute method of the AreaRegistrationContext class is used the same as the MapRoute method of the RouteCollection class, except that the AreaRegistrationContext class limits the registered routes to only match the controller of the current Area. Therefore, if you add the The default namespace of the controller has been changed, and the routing system will not be able to find this controller.
The RegisterArea method does not require us to call it manually. The Application_Start method in Global.asax already has the following code to do this for us:
protected void Application_Start() { AreaRegistration.RegisterAllAreas(); WebApiConfig.Register(GlobalConfiguration.Configuration); FilterConfig.RegisterGlobalFilters(GlobalFilters.Filters); RouteConfig.RegisterRoutes(RouteTable.Routes); BundleConfig.RegisterBundles(BundleTable.Bundles); }
Call the AreaRegistration.RegisterAllAreas method Let the MVC application, upon startup, look for all classes that inherit from AreaRegistration and call their RegisterArea method for each such class.
Note: Do not change the order of registration methods in Application_Start easily. If you put the RouteConfig.RegisterRoutes method before the AreaRegistration.RegisterAllAreas method, the registration of Area routes will be after the route registration. The routing system is in order. matching, so doing so will cause the Controller requesting the Area to match the wrong route.
Area operation
Adding controller, view and model in Area is the same as general addition. Here, we add a controller named Home in the Admin Area, the code is as follows:
public class HomeController : Controller { public ActionResult Index() { return View(); } }
Then we add a View for the Index Acton, the code is as follows:
@{ ViewBag.Title = "Index"; Layout = null; } <!DOCTYPE html> <html> <head> <meta name="viewport" content="width=device-width" /> <title>Index</title> </head> <body> <p> <h2 id="Admin-nbsp-Area-nbsp-Index">Admin Area Index</h2> </p> </body> </html>
Run application, and then locate the URL to /Admin/Home/Index. The following is the running result:
Here, We have seen that the workflow in Area is actually the same as the process in the root directory. But Area is not a completely independent workspace, let's take a look below.
Controller ambiguity issue
Just imagine, if we now also add a Controller named Home in the Controller folder of the root directory, then we By positioning the URL to /Home/Index, can the routing system match the Controller in the root directory?
After adding the HomeController to the Controllers folder in the root directory, add a View for the Index. The content is arbitrary:
... <body> <p> <h2 id="Root-nbsp-Index">Root Index</h2> </p> </body> ...
The route will not be changed. We use the default route defined by the system in the RouteConfig.cs file. :
public static void RegisterRoutes(RouteCollection routes) { routes.IgnoreRoute("{resource}.axd/{*pathInfo}"); routes.MapRoute( name: "Default", url: "{controller}/{action}/{id}", defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional } ); }
Run the program and locate the URL to /Home/Index. As a result, we will see the following error message:
出现这个问题是因为路由系统进行匹配的时候出现了Controller同名的歧义。
当Area被注册的时候,Area中定义的路由被限制了只寻找 Area 中的Controller,所以我们请求 /Admin/Home/Index 时能正常得到 MvcApplication1.Areas.Admin.Controllers 命名空间的 HomeController。然而我们在RouteConfig.cs文件的RegisterRoutes方法中定义的路由并没有类似的限制。
为了解决这个问题,我们需要在RouteConfig.cs文件中定义的路由中加上对应的 namespaces 参数。RouteConfig.cs 中修改后的路由如下:
public static void RegisterRoutes(RouteCollection routes) { routes.IgnoreRoute("{resource}.axd/{*pathInfo}"); routes.MapRoute( name: "Default", url: "{controller}/{action}/{id}", defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional }, namespaces: new[] { "MvcApplication1.Controllers" } ); }
运行程序,如下结果说明解决了同名歧义问题:
添加了 namespaces 参数后,路由系统在对这个路由进行匹配时,优先匹配指定命名空间的controller,如果匹配到则即刻停止查找,如果在指定的命名空间下没有匹配到对应的controller,再按照一般的方式进行匹配。
生成Area URL链接
关于Area的URL链接生成,可以分为这么三种情况:第一种是在当前Area生成指向当前Area的链接;第二种是生成指向其他Area的链接;第三种是在某个Area中生成指向根目录的链接。下面是这三种情况生成链接的方法,使用的路由定义是系统默认的。
如果要在Area中生成当前Area的URL链接,直接用下面的方法就行:
@Html.ActionLink("Click me", "About")
它根据当前所在的Area和Controller会生成如下Html代码:
<a href="/Admin/Home/About">Click me</a>
如果要生成其他Area的URL链接,则需要在Html.ActionLink方法的匿名参数中使用一个名为area的变量来指定要生成链接的Area名称,如下:
@Html.ActionLink("Click me to go to another area", "Index", new { area = "Support" })
它会根据被指定的Area去找路由的定义,假定在Support Area中定义了对应的路由,那么它会生成如下链接:
<a href="/Support/Home/Index">Click me to go to another area</a>
以上就是[ASP.NET MVC 小牛之路]08 - Area 使用的内容,更多相关内容请关注PHP中文网(www.php.cn)!
如果要在当前Area生成指根目录某个controller的链接,那么只要把area变量置成空字符串就行,如下:@Html.ActionLink("Click me to go to top-level part", "Index", new { area = "" })
它会生成如下Html链接:<a href="/Home/Index">Click me to go to top-level part</a>

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics

Introduction In today's rapidly evolving digital world, it is crucial to build robust, flexible and maintainable WEB applications. The PHPmvc architecture provides an ideal solution to achieve this goal. MVC (Model-View-Controller) is a widely used design pattern that separates various aspects of an application into independent components. The foundation of MVC architecture The core principle of MVC architecture is separation of concerns: Model: encapsulates the data and business logic of the application. View: Responsible for presenting data and handling user interaction. Controller: Coordinates the interaction between models and views, manages user requests and business logic. PHPMVC Architecture The phpMVC architecture follows the traditional MVC pattern, but also introduces language-specific features. The following is PHPMVC

The MVC architecture (Model-View-Controller) is one of the most popular patterns in PHP development because it provides a clear structure for organizing code and simplifying the development of WEB applications. While basic MVC principles are sufficient for most web applications, it has some limitations for applications that need to handle complex data or implement advanced functionality. Separating the model layer Separating the model layer is a common technique in advanced MVC architecture. It involves breaking down a model class into smaller subclasses, each focusing on a specific functionality. For example, for an e-commerce application, you might break down the main model class into an order model, a product model, and a customer model. This separation helps improve code maintainability and reusability. Use dependency injection

The MVC (Model-View-Controller) pattern is a commonly used software design pattern that can help developers better organize and manage code. The MVC pattern divides the application into three parts: Model, View and Controller, each part has its own role and responsibilities. In this article, we will discuss how to implement the MVC pattern using PHP. Model A model represents an application's data and data processing. usually,

SpringMVC framework decrypted: Why is it so popular, specific code examples are needed Introduction: In today's software development field, the SpringMVC framework has become a very popular choice among developers. It is a Web framework based on the MVC architecture pattern, providing a flexible, lightweight, and efficient development method. This article will delve into the charm of the SpringMVC framework and demonstrate its power through specific code examples. 1. Advantages of SpringMVC framework Flexible configuration method Spr

Developing MVC with PHP8 Framework: A Step-by-Step Guide Introduction: MVC (Model-View-Controller) is a commonly used software architecture pattern that is used to separate the logic, data and user interface of an application. It provides a structure that separates the application into three distinct components for better management and maintenance of the code. In this article, we will explore how to use the PHP8 framework to develop an application that conforms to the MVC pattern. Step One: Understand the MVC Pattern Before starting to develop an MVC application, I

In Web development, MVC (Model-View-Controller) is a commonly used architectural pattern for processing and managing an application's data, user interface, and control logic. As a popular web development language, PHP can also use the MVC architecture to design and build web applications. This article will introduce how to use MVC architecture to design projects in PHP, and explain its advantages and precautions. What is MVCMVC is a software architecture pattern commonly used in web applications. MV

SpringMVC is a very popular JavaWeb development framework, which is widely welcomed for its powerful functions and flexibility. Its design idea is based on the MVC (Model-View-Controller) architectural pattern, which achieves decoupling and modularization of the application by dividing the application into three parts: model, view and controller. In this article, we will delve into various aspects of the SpringMVC framework, including request processing and forwarding, model and view processing,

Beego is a web application framework based on Go language, which has the advantages of high performance, simplicity and ease of use, and high scalability. Among them, the MVC architecture is one of the core design concepts of the Beego framework. It can help developers better manage and organize code, improve development efficiency and code quality. This article will delve into Beego's MVC architecture so that developers can better understand and use the Beego framework. 1. Introduction to MVC architecture MVC, or Model-View-Controller, is a common
