MVC源码分析 - ModelBinder绑定 / 自定义数据绑定

时间:2021-12-27 03:08:47

这几天老感觉不对, 总觉得少点什么, 今天才发现, 前面 3 里面, 在获取Action参数信息的时候,  少解析了. 里面还有一个比较重要的东西. 今天看也是一样的.

在 InvokeAction() 方法里面, 有一句代码:

IDictionary<string, object> parameterValues = this.GetParameterValues(controllerContext, actionDescriptor);

这个是用来获取参数的. 那么参数是不是随便获取呢? 在Mvc 里面, 页面向Action 传参的时候, 有没有尝试过传一个数组, 然后接收的时候, 也直接解析成数组呢? 或者接收更复杂的类型呢?

答案都在这一篇里面了. 先来看源码.

protected virtual IDictionary<string, object> GetParameterValues(ControllerContext controllerContext,
   ActionDescriptor actionDescriptor)
{
Dictionary<string, object> dictionary = new Dictionary<string, object>(StringComparer.OrdinalIgnoreCase);
foreach (ParameterDescriptor descriptor in actionDescriptor.GetParameters())
{
dictionary[descriptor.ParameterName] = this.GetParameterValue(controllerContext, descriptor);
}
return dictionary;
}

一、源码解析

1. actionDescriptor.GetParameters()

//System.Web.Mvc.ReflectedActionDescriptor
public override ParameterDescriptor[] GetParameters()
{
return ActionDescriptorHelper.GetParameters(this, this.MethodInfo, ref this._parametersCache);
}

这里应该是获取所有的参数和其描述信息.

2. this.GetParameterValue() -- 主要方法

protected virtual object GetParameterValue(ControllerContext controllerContext,
   ParameterDescriptor parameterDescriptor)
{
Type parameterType = parameterDescriptor.ParameterType;
   //根据参数描述来获取参数的处理接口
IModelBinder modelBinder = this.GetModelBinder(parameterDescriptor);
IValueProvider valueProvider = controllerContext.Controller.ValueProvider;
string str = parameterDescriptor.BindingInfo.Prefix ?? parameterDescriptor.ParameterName;
   //获取参数上面的过滤器, 并在下面放入到参数解析上下文中(ModelBindingContext)
Predicate<string> propertyFilter = GetPropertyFilter(parameterDescriptor);
ModelBindingContext bindingContext = new ModelBindingContext {
FallbackToEmptyPrefix = parameterDescriptor.BindingInfo.Prefix == null,
ModelMetadata = ModelMetadataProviders.Current.GetMetadataForType(null, parameterType),
ModelName = str,
ModelState = controllerContext.Controller.ViewData.ModelState,
PropertyFilter = propertyFilter,
ValueProvider = valueProvider
};
   //执行参数的处理程序
return (modelBinder.BindModel(controllerContext, bindingContext) ?? parameterDescriptor.DefaultValue);
}

2.1 GetModelBinder()方法

private IModelBinder GetModelBinder(ParameterDescriptor parameterDescriptor)
{
return (parameterDescriptor.BindingInfo.Binder ??
      this.Binders.GetBinder(parameterDescriptor.ParameterType));
}

这里是根据参数描述来获取参数的处理接口

public interface IModelBinder
{
// Methods
object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext);
}

2.2 BindModel()方法 - 这里看的是 DefaultModelBinder, 后面会自定义一个

public virtual object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
{
EnsureStackHelper.EnsureStack();
if (bindingContext == null)
{
throw new ArgumentNullException("bindingContext");
}
bool flag = false;
if (!string.IsNullOrEmpty(bindingContext.ModelName)
    && !bindingContext.ValueProvider.ContainsPrefix(bindingContext.ModelName))
{
if (!bindingContext.FallbackToEmptyPrefix)
{
return null;
}
ModelBindingContext context = new ModelBindingContext {
ModelMetadata = bindingContext.ModelMetadata,
ModelState = bindingContext.ModelState,
PropertyFilter = bindingContext.PropertyFilter,
ValueProvider = bindingContext.ValueProvider
};
bindingContext = context;
flag = true;
}
if (!flag)
{
bool flag2 = ShouldPerformRequestValidation(controllerContext, bindingContext);
bool skipValidation = !flag2;
ValueProviderResult valueProviderResult = bindingContext.UnvalidatedValueProvider
        .GetValue(bindingContext.ModelName, skipValidation);
if (valueProviderResult != null)
{
       //为简单对象返回参数值
return this.BindSimpleModel(controllerContext, bindingContext, valueProviderResult);
}
}
if (!bindingContext.ModelMetadata.IsComplexType)
{
return null;
}
return this.BindComplexModel(controllerContext, bindingContext);
}

这里面的内容有点多, 也有点复杂, 其实解析到这里, 差不多已经得到我想要的东西了.

二、自定义ModelBinder

1. IModelBinder -- 对于相对比较简单的类型, 可以使用这种方式

首先新建一个稍微复杂一点的类.

public enum GenderEnum
{
Female,
Male,
Unknow
} public class ExtInfo
{
public string QQ { get; set; }
public string Phone { get; set; }
} public class User
{
   //这里的构造函数, 我创建了一个ExtInfo实例, 否则, 一会这个ExtInfo对象就是空的, 影响我的演示
public User()
{
Extension = new ExtInfo();
}
public int Id { get; set; }
public string Name { get; set; }
public GenderEnum Gender { get; set; }
public ExtInfo Extension { get; set; }
}

接下来, 看一下控制器代码

public class ModelController : Controller
{
public ActionResult Get(User user)
{
return View(user);
} public ActionResult Index([ModelBinder(typeof(ModelIndexBinder))]User user)
{
return View(user);
}
}

控制器中需要注意的部分, 我已经标红了. 接下来看我自定义的ModelBinder

public class ModelIndexBinder : IModelBinder
{
public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
{
var request = controllerContext.HttpContext.Request;
User user = new User
{
Id = Convert.ToInt32(request.Params["Id"]),
Name = request.Params["Name"].ToString(),
Gender = (GenderEnum)Convert.ToInt32(request.Params["Gender"]),
Extension = new ExtInfo
{
QQ = request.Params["QQ"].ToString(),
Phone = request.Params["Phone"].ToString()
}
};
return user;
}
}

先看两个方法执行的效果吧.

Index Get
MVC源码分析 - ModelBinder绑定 / 自定义数据绑定

MVC源码分析 - ModelBinder绑定 / 自定义数据绑定

注 : 这里是可以有别的方式来达到目的的, 只需要修改一下url即可:

http://localhost:11620/model/Get?id=1&name=haha&gender=0&Extension.qq=123123123&Extension.phone=12312341234

此处是为了举一个例子, 才这么弄的.

对于比较简单的, 用IModelBinder挺方便的, 但是对于稍微复杂一点的, 可以实现 DefaultModelBinder 来实现.

不过这部分实现就不解析了, 我暂时没用过.

一般对于Url Get请求, 不会很复杂, 只有在使用Post请求的时候, 会遇到比较复杂的处理方式. 但是对于这种复杂的处理, 还有一种比较常用的方式, 就是采用反序列化的方式, 我常用的是 Newtonsoft.

参考:

  MVC扩展

  深入Asp.net Mvc

目录已同步

MVC源码分析 - ModelBinder绑定 / 自定义数据绑定的更多相关文章

  1. asp&period;net mvc源码分析-DefaultModelBinder 自定义的普通数据类型的绑定和验证

    原文:asp.net mvc源码分析-DefaultModelBinder 自定义的普通数据类型的绑定和验证 在前面的文章中我们曾经涉及到ControllerActionInvoker类GetPara ...

  2. asp&period;net mvc源码分析-ModelValidatorProviders 客户端的验证

    几年写过asp.net mvc源码分析-ModelValidatorProviders 当时主要是考虑mvc的流程对,客户端的验证也只是简单的提及了一下,现在我们来仔细看一下客户端的验证. 如图所示, ...

  3. ASP&period;NET MVC 源码分析(一)

    ASP.NET MVC 源码分析(一) 直接上图: 我们先来看Core的设计: 从项目结构来看,asp.net.mvc.core有以下目录: ActionConstraints:action限制相关 ...

  4. 精尽Spring MVC源码分析 - 寻找遗失的 web&period;xml

    该系列文档是本人在学习 Spring MVC 的源码过程中总结下来的,可能对读者不太友好,请结合我的源码注释 Spring MVC 源码分析 GitHub 地址 进行阅读 Spring 版本:5.2. ...

  5. 精尽Spring MVC源码分析 - HandlerMapping 组件(一)之 AbstractHandlerMapping

    该系列文档是本人在学习 Spring MVC 的源码过程中总结下来的,可能对读者不太友好,请结合我的源码注释 Spring MVC 源码分析 GitHub 地址 进行阅读 Spring 版本:5.2. ...

  6. 精尽Spring MVC源码分析 - HandlerAdapter 组件(四)之 HandlerMethodReturnValueHandler

    该系列文档是本人在学习 Spring MVC 的源码过程中总结下来的,可能对读者不太友好,请结合我的源码注释 Spring MVC 源码分析 GitHub 地址 进行阅读 Spring 版本:5.2. ...

  7. 精尽Spring MVC源码分析 - HandlerExceptionResolver 组件

    该系列文档是本人在学习 Spring MVC 的源码过程中总结下来的,可能对读者不太友好,请结合我的源码注释 Spring MVC 源码分析 GitHub 地址 进行阅读 Spring 版本:5.2. ...

  8. WebForm &sol; MVC 源码分析

    ASP.NET WebForm / MVC 源码分析   浏览器 Url:https//localhost:6565/Home/Index ,https//localhost:6565/WebForm ...

  9. ASP&period;NET WebForm &sol; MVC 源码分析

    浏览器 Url:https//localhost:6565/Home/Index ,https//localhost:6565/WebForm1.aspx,请求服务器(构建请求报文,并且将请求报文发送 ...

随机推荐

  1. &lbrack;其他&rsqb;Ubuntu安装genymotion后unable to load VirtualBox engine

    问题: Ubuntu安装genymotion后unable to load VirtualBox engine 解决办法: 如果没有安装VirtualBox,要先安装VirtualBox. 安装Vir ...

  2. 学习Ember遇到的一些问题

    1.在模板中不能省略结束标签: 在Ember的模板中,如果省略结束标签的话,会有好多无解的问题(可能是:不更新.更新后结构不对.model和view不同步等),苦苦找了很久.... 2.childVi ...

  3. IOS视图旋转可放大缩小

    - (IBAction)hideBut:(id)sender { if (self.flg) { [UIView animateWithDuration:0.3 animations:^{ self. ...

  4. 基于visual Studio2013解决算法导论之046广度优先搜索

     题目 广度优先搜索 解决代码及点评 // 图的邻接表表示.cpp : 定义控制台应用程序的入口点. // #include <iostream> #include <stac ...

  5. effective c&plus;&plus; 条款11 Handle assignment to self in operator&equals;

    赋值给自己,听起来有些不可思议,但是却要引起重视,它很容易把自己隐藏起来. 例如 1 a[i]=a[j]; 如果 i, j的值一样? 2 *px=*py; 如果px py指向同一个object 3   ...

  6. Bootstrap File Input 中文文档

    手动安装 您也可以手动地安装插件到你的项目中.只要下载源ZIP或TAR球和提取资产(CSS和JS插件文件夹)到你的项目中. 使用 步骤1:在你页面头部加载以下类库. <link href=&qu ...

  7. PAT1043&colon;Is It a Binary Search Tree

    1043. Is It a Binary Search Tree (25) 时间限制 400 ms 内存限制 65536 kB 代码长度限制 16000 B 判题程序 Standard 作者 CHEN ...

  8. 0&period; VIM 系列 - 源码升级最新版本vim

    卸载原来的vim: $ sudo apt-get remove --purge vim $ suso apt-get clean 下载最新版本源码: $ git clone https://githu ...

  9. Python内存优化:Profile,slots,compact dict

    实际项目中,pythoner更加关注的是Python的性能问题,之前也写过一篇文章<Python性能优化>介绍Python性能优化的一些方法.而本文,关注的是Python的内存优化,一般说 ...

  10. requests 安装

    requests 是用来发送 HTTP 请求的一个库,requests 是对 urllib 和 urllib2 进行封装的一个模块,用来取代 urllib 和 urllib2,可以使用以下两种方法安装 ...