文章内容

上篇文章,我们分析如何动态注册HttpModule的实现,本篇我们来分析一下通过上篇代码原理实现的WebActivator类库,WebActivator提供了3种功能,允许我们分别在HttpApplication初始化之前,之后以及ShutDown的时候分别执行指定的代码,示例如下:

  1. [assembly: WebActivator.PreApplicationStartMethod(typeof(A.InitClass1), "PreStart")]
  2. [assembly: WebActivator.PostApplicationStartMethod(typeof(A.InitClass1), "PostStart")]
  3. [assembly: WebActivator.ApplicationShutdownMethod(typeof(A.InitClass1), "ShutDown")]

另外还有一点和系统自带的PreApplicationStartMethodAttribute不同的是,WebActivator的每种特性都可以使用多次,比如:

  1. [assembly: WebActivator.PreApplicationStartMethod(typeof(A.InitClass1), "PreStart")]
  2. [assembly: WebActivator.PreApplicationStartMethod(typeof(A.InitClass2), "PreStart")]
  3. [assembly: WebActivator.PreApplicationStartMethod(typeof(A.InitClass3), "PreStart")]

因为它的源码很少,所以今天我们就来全面分析一下WebActivator的实现原理,首先下载WebActivator的最新1.5源码,源码地址:https://bitbucket.org/davidebbo/webactivator/src

解压代码,我们可以看到WebActivator项目里总共有6个重要的cs文件,以及一个packages.config文件(用于标记本项目引用了Microsoft.Web.Infrastructure.dll类库),下面我们来分析一下每个文件的源码。

3个XXXMethodAttribute属性:

根据上面的用法,我们指导WebActivator提供了3个MethodAttribute,我们先来看看这3个文件都是如何实现的,查阅代码发现3个类(PreApplicationStartMethodAttribute/ PostApplicationStartMethodAttribute/ ApplicationShutdownMethodAttribute)的内容都是一样的,都是继承于BaseActivationMethodAttribute类,然后提供构造函数所需要的Type类型和方法名称, 3个特性类都支持使用多次并且只能用于Assembly,代码如下:

  1. [AttributeUsage(AttributeTargets.Assembly, AllowMultiple = true)]

通用的基类BaseActivationMethodAttribute:

  1. using System;
  2. using System.Reflection;
  3.  
  4. namespace WebActivator
  5. {
  6. // Base class of all the activation attributes
  7. [AttributeUsage(AttributeTargets.Assembly, AllowMultiple = true)]
  8. public abstract class BaseActivationMethodAttribute : Attribute
  9. {
  10. private Type _type;
  11. private string _methodName;
  12.  
  13. public BaseActivationMethodAttribute(Type type, string methodName)
  14. {
  15. _type = type;
  16. _methodName = methodName;
  17. }
  18.  
  19. public Type Type { get { return _type; } }
  20.  
  21. public string MethodName { get { return _methodName; } }
  22.  
  23. public int Order { get; set; }
  24.  
  25. public void InvokeMethod()
  26. {
  27. // Get the method
  28. MethodInfo method = Type.GetMethod(
  29. MethodName,
  30. BindingFlags.Static | BindingFlags.NonPublic | BindingFlags.Public);
  31.  
  32. if (method == null)
  33. {
  34. throw new ArgumentException(
  35. String.Format("The type {0} doesn't have a static method named {1}",
  36. Type, MethodName));
  37. }
  38.  
  39. // Invoke it
  40. method.Invoke(null, null);
  41. }
  42. }
  43. }

通过代码,我们首先可以看到,除了Type和MethodName以外,还多了一个Order属性,用来标记多次使用同一个Attribute的时候的执行顺序。然后提供了一个InvokeMethod方法,用来执行该类里传入当前Type类的MethodName静态方法。

Assembly扩展方法AssemblyExtensions:

  1. using System.Collections.Generic;
  2. using System.Linq;
  3. using System.Reflection;
  4.  
  5. namespace WebActivator
  6. {
  7. static class AssemblyExtensions
  8. {
  9. // Return all the attributes of a given type from an assembly
  10. public static IEnumerable<T> GetActivationAttributes<T>(this Assembly assembly) where T : BaseActivationMethodAttribute
  11. {
  12. return assembly.GetCustomAttributes(
  13. typeof(T),
  14. inherit: false).OfType<T>();
  15. }
  16. }
  17. }

该扩展方法主要是用于获取某一个程序集Assembly下指定类型的所有Attribute(并且不包括继承的类),也就是查询上述3种特性的Attributes(因为每种都允许声明多次)。

主管理类ActivationManager:

该类主要分为如下几个部分:

1 私有静态函数Assemblies, GetAssemblyFiles主要是获取当前应用程序下的所有DLL程序集,以供其它方法从这个程序集集合里遍历相应的特性声明。

  1. // 加载所有获取的程序集
  2. private static IEnumerable<Assembly> Assemblies
  3. {
  4. get
  5. {
  6. if (_assemblies == null)
  7. {
  8. // Cache the list of relevant assemblies, since we need it for both Pre and Post
  9. _assemblies = new List<Assembly>();
  10. foreach (var assemblyFile in GetAssemblyFiles())
  11. {
  12. try
  13. {
  14. // Ignore assemblies we can't load. They could be native, etc...
  15. _assemblies.Add(Assembly.LoadFrom(assemblyFile));
  16. }
  17. catch
  18. {
  19. }
  20. }
  21. }
  22.  
  23. return _assemblies;
  24. }
  25. }
  26.  
  27. // 获取程序集文件路径集合
  28. private static IEnumerable<string> GetAssemblyFiles()
  29. {
  30. // When running under ASP.NET, find assemblies in the bin folder.
  31. // Outside of ASP.NET, use whatever folder WebActivator itself is in
  32. string directory = HostingEnvironment.IsHosted
  33. ? HttpRuntime.BinDirectory
  34. : Path.GetDirectoryName(typeof(ActivationManager).Assembly.Location);
  35. return Directory.GetFiles(directory, "*.dll");
  36. }

2 获取所有AppCode文件夹下代码编译后的程序集。

  1. // Return all the App_Code assemblies
  2. private static IEnumerable<Assembly> AppCodeAssemblies
  3. {
  4. get
  5. {
  6. // Return an empty list if we;re not hosted or there aren't any
  7. if (!HostingEnvironment.IsHosted || !_hasInited || BuildManager.CodeAssemblies == null)
  8. {
  9. return Enumerable.Empty<Assembly>();
  10. }
  11.  
  12. return BuildManager.CodeAssemblies.OfType<Assembly>();
  13. }
  14. }

3 执行3种特性里所指定的方法

  1. public static void RunPreStartMethods()
  2. {
  3. RunActivationMethods<PreApplicationStartMethodAttribute>();
  4. }
  5.  
  6. public static void RunPostStartMethods()
  7. {
  8. RunActivationMethods<PostApplicationStartMethodAttribute>();
  9. }
  10.  
  11. public static void RunShutdownMethods()
  12. {
  13. RunActivationMethods<ApplicationShutdownMethodAttribute>();
  14. }
  15.  
  16. // Call the relevant activation method from all assemblies
  17. private static void RunActivationMethods<T>() where T : BaseActivationMethodAttribute
  18. {
  19. foreach (var assembly in Assemblies.Concat(AppCodeAssemblies))
  20. {
  21. foreach (BaseActivationMethodAttribute activationAttrib in assembly.GetActivationAttributes<T>().OrderBy(att => att.Order))
  22. {
  23. activationAttrib.InvokeMethod();
  24. }
  25. }
  26. }

从代码可以看出,3个特性执行方法调用的都是同一个泛型方法RunActivationMethods<T>,在这个方法里,主要是从所有的程序集里,通过泛型方法查询所有标记的特性(按Order排序),并且执行每个特性声明里指定的方法。另外从Assemblies.Concat(AppCodeAssemblies)可以发现,所有的程序集还要包括App_Code目录下代码编译的程序集哦。

4 自定义HttpModule

  1. class StartMethodCallingModule : IHttpModule
  2. {
  3. private static object _lock = new object();
  4. private static int _initializedModuleCount;
  5.  
  6. public void Init(HttpApplication context)
  7. {
  8. lock (_lock)
  9. {
  10. // Keep track of the number of modules initialized and
  11. // make sure we only call the post start methods once per app domain
  12. if (_initializedModuleCount++ == )
  13. {
  14. RunPostStartMethods();
  15. }
  16. }
  17. }
  18.  
  19. public void Dispose()
  20. {
  21. lock (_lock)
  22. {
  23. // Call the shutdown methods when the last module is disposed
  24. if (--_initializedModuleCount == )
  25. {
  26. RunShutdownMethods();
  27. }
  28. }
  29. }
  30. }

该Module主要是用于在 Init的时候执行PostStart类型的方法,并且在Dispose的时候执行Shutdown类型的方法,并且只执行一次。

5.最重要的入口方法

  1. public static void Run()
  2. {
  3. if (!_hasInited)
  4. {
  5. RunPreStartMethods();
  6.  
  7. // Register our module to handle any Post Start methods. But outside of ASP.NET, just run them now
  8. if (HostingEnvironment.IsHosted)
  9. {
  10. Microsoft.Web.Infrastructure.DynamicModuleHelper.DynamicModuleUtility.RegisterModule(typeof(StartMethodCallingModule));
  11. }
  12. else
  13. {
  14. RunPostStartMethods();
  15. }
  16.  
  17. _hasInited = true;
  18. }
  19. }

Run方法看起来很容易理解了,首先执行PreStart类型的方法,然后判断HostingEnvironment是否Host成功,如果成功就动态注册我们上面自定义的HttpModule,以便让该Module在HttpApplication初始化和Dispose的时候分别执行PostStart类型的方法和ShutDown类型的方法,如果没有Host成功,那只执行PostStart类型的方法。

注:由代码实现可以看出,在PreStart类型的方法里,不能使用HttpContext对象进行输入输出,因为该对象在此时还没用创建成功呢。

6.谁调用了入口方法Run()

这个就不用多说了吧,肯定是使用.Net4.0自带的PreApplicationStartMethodAttribute特性,代码如下:

  1. [assembly: PreApplicationStartMethod(typeof(WebActivator.ActivationManager), "Run")]

你可以让这段代码放在WebActivator项目里任何类文件的namespace外部,但为了统一起见,一般都是放在Properties目录下的AssemblyInfo类文件里,WebActivator就是这么做的。

总结,好了,这就是WebActivator的全部源码,实现起来其实很简单,对吧?那以后项目再有类似需求的时候,就大胆使用这个类库吧,另外NInject.MVC也是基于这个类库来实现的。

参考资料:

http://blogs.msdn.com/b/davidebb/archive/2010/10/11/light-up-your-nupacks-with-startup-code-and-webactivator.aspx

https://bitbucket.org/davidebbo/webactivator/src

同步与推荐

本文已同步至目录索引:MVC之前的那点事儿系列

MVC之前的那点事儿系列文章,包括了原创,翻译,转载等各类型的文章,如果对你有用,请推荐支持一把,给大叔写作的动力。

MVC之前的那点事儿系列(7):WebActivator的实现原理详解的更多相关文章

  1. MVC之前的那点事儿系列(3):HttpRuntime详解分析(下)

    文章内容 话说,经过各种各样复杂的我们不知道的内部处理,非托管代码正式开始调用ISPAIRuntime的ProcessRequest方法了(ISPAIRuntime继承了IISPAIRuntime接口 ...

  2. MVC之前的那点事儿系列(2):HttpRuntime详解分析(上)

    文章内容 从上章文章都知道,asp.net是运行在HttpRuntime里的,但是从CLR如何进入HttpRuntime的,可能大家都不太清晰.本章节就是通过深入分析.Net4的源码来展示其中的重要步 ...

  3. Spring框架系列(6) - Spring IOC实现原理详解之IOC体系结构设计

    在对IoC有了初步的认知后,我们开始对IOC的实现原理进行深入理解.本文将帮助你站在设计者的角度去看IOC最顶层的结构设计.@pdai Spring框架系列(6) - Spring IOC实现原理详解 ...

  4. Spring框架系列(7) - Spring IOC实现原理详解之IOC初始化流程

    上文,我们看了IOC设计要点和设计结构:紧接着这篇,我们可以看下源码的实现了:Spring如何实现将资源配置(以xml配置为例)通过加载,解析,生成BeanDefination并注册到IoC容器中的. ...

  5. Spring框架系列(8) - Spring IOC实现原理详解之Bean实例化(生命周期,循环依赖等)

    上文,我们看了IOC设计要点和设计结构:以及Spring如何实现将资源配置(以xml配置为例)通过加载,解析,生成BeanDefination并注册到IoC容器中的:容器中存放的是Bean的定义即Be ...

  6. Spring框架系列(9) - Spring AOP实现原理详解之AOP切面的实现

    前文,我们分析了Spring IOC的初始化过程和Bean的生命周期等,而Spring AOP也是基于IOC的Bean加载来实现的.本文主要介绍Spring AOP原理解析的切面实现过程(将切面类的所 ...

  7. Spring框架系列(10) - Spring AOP实现原理详解之AOP代理的创建

    上文我们介绍了Spring AOP原理解析的切面实现过程(将切面类的所有切面方法根据使用的注解生成对应Advice,并将Advice连同切入点匹配器和切面类等信息一并封装到Advisor).本文在此基 ...

  8. Spring框架系列(11) - Spring AOP实现原理详解之Cglib代理实现

    我们在前文中已经介绍了SpringAOP的切面实现和创建动态代理的过程,那么动态代理是如何工作的呢?本文主要介绍Cglib动态代理的案例和SpringAOP实现的原理.@pdai Spring框架系列 ...

  9. Spring框架系列(12) - Spring AOP实现原理详解之JDK代理实现

    上文我们学习了SpringAOP Cglib动态代理的实现,本文主要是SpringAOP JDK动态代理的案例和实现部分.@pdai Spring框架系列(12) - Spring AOP实现原理详解 ...

随机推荐

  1. 虚拟化平台cloudstack(8)——从UI开始

    UI ucloudstack采用的是前后端分离的架构,就是说前端可以选择使用web.swing甚至其它的界面,都可以. 我们来看cloudstack的UI信息吧,所有的cloudstack的UI都在{ ...

  2. Senparc.Weixin.MP SDK 微信公众平台开发教程(七):解决用户上下文(Session)问题

    从这篇文章中我们已经了解了微信公众平台消息传递的方式,这种方式有一个先天的缺陷:不同用户的请求都来自同一个微信服务器,这使得常规的Session无法使用(始终面对同一个请求对象,况且还有对方服务器Co ...

  3. iOS 常见设计模式

    (一)代理模式/委托模式 应用场景:当一个类的某些功能需要由别的类来实现,但是又不确定具体会是哪个类实现.优势:解耦合敏捷原则:开放-封闭原则实例:tableview的 数据源delegate,通过和 ...

  4. javascript事件监听与事件委托

      事件监听与事件委托 在js中,常用到element.addEventListener()来进行事件的监听.但是当页面中存在大量需要绑定事件的元素时,这种方式可能会带来性能影响.此时,我们可以用事件 ...

  5. rewrite规则写法及nginx配置location总结

    rewrite只能放在server{},location{},if{}中,并且只能对域名后边的除去传递的参数外的字符串起作用. 例如http://seanlook.com/a/we/index.php ...

  6. Atitit  java jsp 新的tag技术

    Atitit  java jsp 新的tag技术 1.1.  Tag Files  vs 原生写 SimpleTag 比较麻烦的 JSP 1.x 允许 Web 开发人员创建 Java 组件(称为标记处 ...

  7. 了不起的Node.js: 将JavaScript进行到底(Web开发首选,实时,跨多服务器,高并发)

    了不起的Node.js: 将JavaScript进行到底(Web开发首选,实时,跨多服务器,高并发) Guillermo Rauch 编   赵静 译 ISBN 978-7-121-21769-2 2 ...

  8. 发现一个百度的密码。。。记最近一段时间的php感想

    请看图. 突然想看一下百度的cookie. 最近百度一年真是多攒多难,我一直挺百度啊.百度文化就是程序员文化,但是收到中国其他文化的侵蚀,不得不变, 任何人重构系统,都会有大概百分三十左右的性能提升. ...

  9. .NET实现Office Excel自定义公式 广泛应用于报表与数据分析

    在管理软件开发的功能点中,有相当一部分功能是与Excel做数据交互,产生Excel 数据报表.如果Excel报表的数据计算方法很有规律可循,则可以通过自定义公式来解决.比如常见的资产负债表,利润表,取 ...

  10. Android控件之WebView

    如何在Android应用中打开Web网站呢?谷歌为我们提供了解决方案,现在就让我们一起看一下WebView控件吧. 为了方便总结,就以实现下面这个效果为主线,进行总结: 首先我们先看一下它的布局文件吧 ...