"
 
 
 
ASP.NET (snapshot 2017) Microsoft documentation and samples

Views in ASP.NET Core MVC

By Steve Smith and Luke Latham

In the Model-View-Controller (MVC) pattern, the view handles the app’s data presentation and user interaction. A view is an HTML template with embedded (xref:)Razor markup. Razor markup is code that interacts with HTML markup to produce a webpage that’s sent to the client.

In ASP.NET Core MVC, views are .cshtml files that use the C# programming language in Razor markup. Usually, view files are grouped into folders named for each of the app’s (xref:)controllers. The folders are stored in a Views folder at the root of the app:

Views folder in Solution Explorer of Visual Studio is open with the Home folder open to show About.cshtml, Contact.cshtml, and Index.cshtml files
Views folder in Solution Explorer of Visual Studio is open with the Home folder open to show About.cshtml, Contact.cshtml, and Index.cshtml files

The Home controller is represented by a Home folder inside the Views folder. The Home folder contains the views for the About, Contact, and Index (homepage) webpages. When a user requests one of these three webpages, controller actions in the Home controller determine which of the three views is used to build and return a webpage to the user.

Use (xref:)layouts to provide consistent webpage sections and reduce code repetition. Layouts often contain the header, navigation and menu elements, and the footer. The header and footer usually contain boilerplate markup for many metadata elements and links to script and style assets. Layouts help you avoid this boilerplate markup in your views.

(xref:)Partial views reduce code duplication by managing reusable parts of views. For example, a partial view is useful for an author biography on a blog website that appears in several views. An author biography is ordinary view content and doesn’t require code to execute in order to produce the content for the webpage. Author biography content is available to the view by model binding alone, so using a partial view for this type of content is ideal.

(xref:)View components are similar to partial views in that they allow you to reduce repetitive code, but they’re appropriate for view content that requires code to run on the server in order to render the webpage. View components are useful when the rendered content requires database interaction, such as for a website shopping cart. View components aren’t limited to model binding in order to produce webpage output.

Benefits of using views

Views help to establish a Separation of Concerns (SoC) design within an MVC app by separating the user interface markup from other parts of the app. Following SoC design makes your app modular, which provides several benefits:

Creating a view

Views that are specific to a controller are created in the Views/[ControllerName] folder. Views that are shared among controllers are placed in the Views/Shared folder. To create a view, add a new file and give it the same name as its associated controller action with the .cshtml file extension. To create a view that corresponds with the About action in the Home controller, create an About.cshtml file in the Views/Home folder:

[!code-cshtmlMain]

   1:  @{
   2:      ViewData["Title"] = "About";
   3:  }
   4:  <h2>@ViewData["Title"].</h2>
   5:  <h3>@ViewData["Message"]</h3>
   6:   
   7:  <p>Use this area to provide additional information.</p>

Razor markup starts with the @ symbol. Run C# statements by placing C# code within (xref:)Razor code blocks set off by curly braces ({ ... }). For example, see the assignment of “About” to ViewData["Title"] shown above. You can display values within HTML by simply referencing the value with the @ symbol. See the contents of the <h2> and <h3> elements above.

The view content shown above is only part of the entire webpage that’s rendered to the user. The rest of the page’s layout and other common aspects of the view are specified in other view files. To learn more, see the (xref:)Layout topic.

How controllers specify views

Views are typically returned from actions as a ViewResult, which is a type of ActionResult. Your action method can create and return a ViewResult directly, but that isn’t commonly done. Since most controllers inherit from Controller, you simply use the View helper method to return the ViewResult:

HomeController.cs

[!code-csharpMain]

   1:  using System;
   2:  using System.Collections.Generic;
   3:  using System.Linq;
   4:  using System.Threading.Tasks;
   5:  using Microsoft.AspNetCore.Mvc;
   6:   
   7:  namespace WebApplication1.Controllers
   8:  {
   9:      public class HomeController : Controller
  10:      {
  11:          public IActionResult Index()
  12:          {
  13:              return View();
  14:          }
  15:   
  16:          public IActionResult About()
  17:          {
  18:              ViewData["Message"] = "Your application description page.";
  19:   
  20:              return View();
  21:          }
  22:   
  23:          public IActionResult Contact()
  24:          {
  25:              ViewData["Message"] = "Your contact page.";
  26:   
  27:              return View();
  28:          }
  29:   
  30:          public IActionResult Error()
  31:          {
  32:              return View();
  33:          }
  34:      }
  35:  }

When this action returns, the About.cshtml view shown in the last section is rendered as the following webpage:

About page rendered in the Edge browser
About page rendered in the Edge browser

The View helper method has several overloads. You can optionally specify:

View discovery

When an action returns a view, a process called view discovery takes place. This process determines which view file is used based on the view name.

The default behavior of the View method (return View();) is to return a view with the same name as the action method from which it’s called. For example, the About ActionResult method name of the controller is used to search for a view file named About.cshtml. First, the runtime looks in the Views/[ControllerName] folder for the view. If it doesn’t find a matching view there, it searches the Shared folder for the view.

It doesn’t matter if you implicitly return the ViewResult with return View(); or explicitly pass the view name to the View method with return View("<ViewName>");. In both cases, view discovery searches for a matching view file in this order:

  1. Views/[ControllerName][ViewName].cshtml
  2. Views/Shared/[ViewName].cshtml

A view file path can be provided instead of a view name. If using an absolute path starting at the app root (optionally starting with “/” or “~/”), the .cshtml extension must be specified:

You can also use a relative path to specify views in different directories without the .cshtml extension. Inside the HomeController, you can return the Index view of your Manage views with a relative path:

Similarly, you can indicate the current controller-specific directory with the “./” prefix:

(xref:)Partial views and (xref:)view components use similar (but not identical) discovery mechanisms.

You can customize the default convention for how views are located within the app by using a custom IViewLocationExpander.

View discovery relies on finding view files by file name. If the underlying file system is case sensitive, view names are probably case sensitive. For compatibility across operating systems, match case between controller and action names and associated view folders and file names. If you encounter an error that a view file can’t be found while working with a case-sensitive file system, confirm that the casing matches between the requested view file and the actual view file name.

Follow the best practice of organizing the file structure for your views to reflect the relationships among controllers, actions, and views for maintainability and clarity.

Passing data to views

You can pass data to views using several approaches. The most robust approach is to specify a (xref:)model type in the view. This model is commonly referred to as a viewmodel. You pass an instance of the viewmodel type to the view from the action.

Using a viewmodel to pass data to a view allows the view to take advantage of strong type checking. Strong typing (or strongly-typed) means that every variable and constant has an explicitly defined type (for example, string, int, or DateTime). The validity of types used in a view is checked at compile time.

Visual Studio and Visual Studio Code list strongly-typed class members using a feature called IntelliSense. When you want to see the properties of a viewmodel, type the variable name for the viewmodel followed by a period (.). This helps you write code faster with fewer errors.

Specify a model using the @model directive. Use the model with @Model:

@model WebApplication1.ViewModels.Address

<h2>Contact</h2>
<address>
    @Model.Street<br>
    @Model.City, @Model.State @Model.PostalCode<br>
    <abbr title="Phone">P:</abbr> 425.555.0100
</address>

To provide the model to the view, the controller passes it as a parameter:

There are no restrictions on the model types that you can provide to a view. We recommend using Plain Old CLR Object (POCO) viewmodels with little or no behavior (methods) defined. Usually, viewmodel classes are either stored in the Models folder or a separate ViewModels folder at the root of the app. The Address viewmodel used in the example above is a POCO viewmodel stored in a file named Address.cs:

[!NOTE] Nothing prevents you from using the same classes for both your viewmodel types and your business model types. However, using separate models allows your views to vary independently from the business logic and data access parts of your app. Separation of models and viewmodels also offers security benefits when models use (xref:)model binding and (xref:)validation for data sent to the app by the user.

Weakly-typed data (ViewData and ViewBag)

Note: ViewBag is not available in the Razor Pages.

In addition to strongly-typed views, views have access to a weakly-typed (also called loosely-typed) collection of data. Unlike strong types, weak types (or loose types) means that you don’t explicitly declare the type of data you’re using. You can use the collection of weakly-typed data for passing small amounts of data in and out of controllers and views.

Passing data between a … Example
Controller and a view Populating a dropdown list with data.
View and a (xref:)layout view Setting the <title> element content in the layout view from a view file.
(xref:)Partial view and a view A widget that displays data based on the webpage that the user requested.

This collection can be referenced through either the ViewData or ViewBag properties on controllers and views. The ViewData property is a dictionary of weakly-typed objects. The ViewBag property is a wrapper around ViewData that provides dynamic properties for the underlying ViewData collection.

ViewData and ViewBag are dynamically resolved at runtime. Since they don’t offer compile-time type checking, both are generally more error-prone than using a viewmodel. For that reason, some developers prefer to minimally or never use ViewData and ViewBag.

ViewData

ViewData is a ViewDataDictionary object accessed through string keys. String data can be stored and used directly without the need for a cast, but you must cast other ViewData object values to specific types when you extract them. You can use ViewData to pass data from controllers to views and within views, including (xref:)partial views and (xref:)layouts.

The following is an example that sets values for a greeting and an address using ViewData in an action:

Work with the data in a view:

@{
    // Since Address isn't a string, it requires a cast.
    var address = ViewData["Address"] as Address;
}

@ViewData["Greeting"] World!

<address>
    @address.Name<br>
    @address.Street<br>
    @address.City, @address.State @address.PostalCode
</address>

ViewBag

Note: ViewBag is not available in the Razor Pages.

ViewBag is a DynamicViewData object that provides dynamic access to the objects stored in ViewData. ViewBag can be more convenient to work with, since it doesn’t require casting. The following example shows how to use ViewBag with the same result as using ViewData above:

@ViewBag.Greeting World!

<address>
    @ViewBag.Address.Name<br>
    @ViewBag.Address.Street<br>
    @ViewBag.Address.City, @ViewBag.Address.State @ViewBag.Address.PostalCode
</address>

Using ViewData and ViewBag simultaneously

Note: ViewBag is not available in the Razor Pages.

Since ViewData and ViewBag refer to the same underlying ViewData collection, you can use both ViewData and ViewBag and mix and match between them when reading and writing values.

Set the title using ViewBag and the description using ViewData at the top of an About.cshtml view:

@{
    Layout = "/Views/Shared/_Layout.cshtml";
    ViewBag.Title = "About Contoso";
    ViewData["Description"] = "Let us tell you about Contoso's philosophy and mission.";
}

Read the properties but reverse the use of ViewData and ViewBag. In the *_Layout.cshtml* file, obtain the title using ViewData and obtain the description using ViewBag:

<!DOCTYPE html>
<html lang="en">
<head>
    <title>@ViewData["Title"]</title>
    <meta name="description" content="@ViewBag.Description">
    ...

Remember that strings don’t require a cast for ViewData. You can use @ViewData["Title"] without casting.

Using both ViewData and ViewBag at the same time works, as does mixing and matching reading and writing the properties. The following markup is rendered:

Summary of the differences between ViewData and ViewBag

ViewBag is not available in the Razor Pages.

When to use ViewData or ViewBag

Both ViewData and ViewBag are equally valid approaches for passing small amounts of data among controllers and views. The choice of which one to use is based on preference. You can mix and match ViewData and ViewBag objects, however, the code is easier to read and maintain with one approach used consistently. Both approaches are dynamically resolved at runtime and thus prone to causing runtime errors. Some development teams avoid them.

Dynamic views

Views that don’t declare a model type using @model but that have a model instance passed to them (for example, return View(Address);) can reference the instance’s properties dynamically:

<address>
    @Model.Street<br>
    @Model.City, @Model.State @Model.PostalCode<br>
    <abbr title="Phone">P:</abbr> 425.555.0100
</address>

This feature offers flexibility but doesn’t offer compilation protection or IntelliSense. If the property doesn’t exist, webpage generation fails at runtime.

More view features

(xref:)Tag Helpers make it easy to add server-side behavior to existing HTML tags. Using Tag Helpers avoids the need to write custom code or helpers within your views. Tag helpers are applied as attributes to HTML elements and are ignored by editors that can’t process them. This allows you to edit and render view markup in a variety of tools.

Generating custom HTML markup can be achieved with many built-in HTML Helpers. More complex user interface logic can be handled by (xref:)View Components. View components provide the same SoC that controllers and views offer. They can eliminate the need for actions and views that deal with data used by common user interface elements.

Like many other aspects of ASP.NET Core, views support (xref:)dependency injection, allowing services to be (xref:)injected into views.





Comments ( )
<00>  <01>  <02>  <03>  <04>  <05>  <06>  <07>  <08>  <09>  <10>  <11>  <12>  <13>  <14>  <15>  <16>  <17>  <18>  <19>  <20>  <21>  <22>  <23
Link to this page: //www.vb-net.com/AspNet-DocAndSamples-2017/aspnetcore/mvc/views/overview.htm
<SITEMAP>  <MVC>  <ASP>  <NET>  <DATA>  <KIOSK>  <FLEX>  <SQL>  <NOTES>  <LINUX>  <MONO>  <FREEWARE>  <DOCS>  <ENG>  <CHAT ME>  <ABOUT ME>  < THANKS ME>