Problem
How does model binding work in ASP.NET Core MVC.
Solution
In an empty project, change Startup class to add services and middleware for MVC.
- public void ConfigureServices(
- IServiceCollection services)
- {
- services.AddMvc();
- }
-
- public void Configure(
- IApplicationBuilder app,
- IHostingEnvironment env)
- {
- app.UseMvc(routes =>
- {
- routes.MapRoute(
- name: "default",
- template: "{controller=Home}/{action=Index}/{id?}");
- });
- }
Add the following code to HomeController, demonstrating binding of simple types.
-
- public IActionResult Simple(int id)
- {
- return Content($"Simple-Default: {id}");
- }
-
-
- public IActionResult SimpleQuery([FromQuery]int id)
- {
- return Content($"Simple-Query: {id}");
- }
-
-
- public IActionResult SimpleForm([FromForm]int id)
- {
- return Content($"Simple-Form: {id}");
- }
-
-
- public IActionResult SimpleBodyWithoutModel([FromBody]int id)
- {
- return Content($"Simple-Body-Primitive: {id}");
- }
-
-
- public IActionResult SimpleBodyWithModel([FromBody]SimpleBodyInputModel model)
- {
- return Content($"Simple-Body-Model: {model.Id}");
- }
-
-
- public IActionResult SimpleHeader(
- [FromHeader]string host,
- [FromHeader(Name = "User-Agent")]string userAgent)
- {
- return Content($"Simple-Header: {host}, {userAgent}");
- }
Add the following code to HomeController, demonstrating binding of complex types.
-
- public IActionResult Complex(GreetingInputModel model)
- {
- return Content($"Complex-Default: {model.Type} {model.To}");
- }
-
-
- public IActionResult ComplexQuery([FromQuery]GreetingInputModel model)
- {
- return Content($"Complex-Query: {model.Type} {model.To}");
- }
-
-
- public IActionResult ComplexForm([FromForm]GreetingInputModel model)
- {
- return Content($"Complex-Form: {model.Type} {model.To}");
- }
-
-
- public IActionResult ComplexBody([FromBody]GreetingInputModel model)
- {
- return Content($"Complex-Body: {model.Type} {model.To}");
- }
-
-
- public IActionResult ComplexHeader(HeaderInputModel model)
- {
- return Content($"Complex-Header: {model.Host}, {model.UserAgent}");
- }
Add the following code to HomeController, demonstrating binding of collections.
-
- public IActionResult Collection(IEnumerable values)
- {
- return Content($"Collection-Simple: {values.Count()}");
- }
-
-
- public IActionResult CollectionComplex([FromBody]CollectionInputModel model)
- {
- return Content($"Collection-Complex: {model.Values.Count()}");
- }
Add the following code to HomeController, demonstrating binding from multiple sources.
-
- public IActionResult Multiple(int id)
- {
- return Content($"Multiple: {id}");
- }
Discussion
In a previous post on Routing, I showed how MVC maps URLs to Controller and actions to execute. We touched on the topic of the model binding mechanism through which MVC binds routing template tokens to action parameters.
Routing middleware deconstructs the HTTP request into RouteData class and then binds its values to action parameters by name. Below is a screenshot showing the Keys and Values contained within RouteData class.
The action parameters can be simple or complex types. For complex types, model binding uses reflection to bind the data using the dot (.) convention. The type must contain a default constructor and public writable properties. See how query string values populate a complex type:
Note that failure in binding doesn’t throw an exception. Also, the process of binding stops as soon as a match is found for a parameter (see Multiple Sources section below).
Binding with Attributes
Attributes on action parameters can be used to override the default binding behavior:
- Override binding behavior
- [BindRequired]: add model state error if binding fails
- [BindNever]: ignore the binding of parameter
- Override binding source
- [FromHeader]: use HTTP header
- [FromQuery]: use URL query string
- [FromRoute]: use routing values
- [FromForm]: use form values (via HTTP POST)
- [FromServices]: inject value using dependency injection
- [FromBody]: use HTTP request body, based on configured formatter (e.g. JSON, XML). Only one action parameter can have this attribute.
- Supply custom binding
- [ModelBinder]: provide custom model binder
Binding Behaviour
When binding attributes are not supplied, the default behavior is,
- Simple Types: binding source can be route values, query string, and form data.
- Complex Types: binding source can be query string and form data.
Binding Header
When binding to HTTP headers, few points to note are -
For complex types, the [FromHeader] attribute is applied to the type’s properties. If the HTTP header contains characters illegal for variable names, they can be supplied via attributes Name property.
For simple types.
Binding Body
HTTP response body can be read into a complex type. By default, JsonInputFormatter class is used to handle binding of the request body. The input formatters are used based on the Content-Type property of HTTP request header. Below is a sample request with JSON body.
In order to use XML as input, formatters modify ConfigureServices.
- public void ConfigureServices(
- IServiceCollection services)
- {
- services.AddMvc()
- .AddXmlSerializerFormatters();
- }
Now, in addition to JSON, you could send XML in request body (remember to change the Content-Type to application/xml).
Binding Collections
Binding works with collection too.
- public class CollectionInputModel
- {
- public IEnumerable Values { get; set; }
- }
- public IActionResult CollectionComplex([FromBody]CollectionInputModel model)
- {
- return Content($"Collection-Complex: {model.Values.Count()}");
- }
Multiple Sources
MVC tries to bind the data from other parts of HTTP request in the following sequence.
- Form: form data submitted via HTTP POST
- Route: route values deconstructed by routing middleware
- Query: query string segment of URL
Source Code
GitHub