第四篇 基于.net搭建热插拔式web框架(RazorEngine实现)
在开头也是先给大家道个歉,由于最近准备婚事导致这篇文章耽误了许久,同时也谢谢老婆大人对我的支持。
回顾上篇文章,我们重造了一个controller,这个controller中用到了视图引擎,我们的视图引擎虽然也叫Razor,但此Razor非mvc中的Razor,MVC中的Razor同样依赖于HttpContext,我们实现的Razor借用 RazorEngine。关于RazorEngine的更多介绍请参阅http://antaris.github.io/RazorEngine/。
在上篇文章中无论是View方法还是PartialView方法,都用到了CompileView对象,我们先来看一下CompileView类的实现。
/// <summary>
/// 视图编译类
/// </summary>
public class CompileView
{
private static Regex layoutEx = new Regex("Layout\\s*=\\s*@?\"(\\S*)\";");//匹配视图中的layout
static InvalidatingCachingProvider cache = new InvalidatingCachingProvider();
static FileSystemWatcher m_Watcher = new FileSystemWatcher(); static CompileView()
{
var config = new TemplateServiceConfiguration();
config.BaseTemplateType = typeof(HuberImplementingTemplateBase<>);
config.ReferenceResolver = new HuberReferenceResolver();
config.CachingProvider = cache;
cache.InvalidateAll();
Engine.Razor = RazorEngineService.Create(config);
//添加文件修改监控,以便在cshtml文件修改时重新编译该文件
m_Watcher.Path = HuberVariable.CurWebDir;
m_Watcher.IncludeSubdirectories = true;
m_Watcher.Filter = "*.*";
m_Watcher.NotifyFilter = NotifyFilters.LastWrite | NotifyFilters.FileName;
m_Watcher.Created += new FileSystemEventHandler(OnChanged);
m_Watcher.Changed += new FileSystemEventHandler(OnChanged);
m_Watcher.Deleted += new FileSystemEventHandler(OnChanged); m_Watcher.EnableRaisingEvents = true;
}
//当视图被修改后清除缓存
private static void OnChanged(object sender, FileSystemEventArgs e)
{
if (e.FullPath.EndsWith(".cshtml"))
{
string s = e.FullPath.Replace(HuberVariable.CurWebDir, "/"); var key = Engine.Razor.GetKey(s);
cache.InvalidateCache(key);
} } public CompileView()
{
} public string RunCompile(ITemplateKey key, Type modelType, object model, DynamicViewBag viewBag)
{
//判断唯一视图的缓存
string path = (HuberVariable.CurWebDir + key.Name).Replace(@"\\", @"\");
ICompiledTemplate cacheTemplate;
cache.TryRetrieveTemplate(key, null, out cacheTemplate);
if (cacheTemplate == null || !cacheTemplate.Key.Name.Trim().Equals(key.Name.Trim()))
{
CompileViewAndLayout(key, null, model, viewBag);
}
//当缓存存在返回结果
return Engine.Razor.RunCompile(key, null, model, viewBag);
}
/// <summary>
/// 编译视图和层layout
/// </summary>
/// <param name="key">视图的唯一路径</param>
/// <param name="modelType">视图类型 :视图/layout</param>
/// <param name="model">页面 MODEL</param>
/// <param name="viewBag">viewBag</param>
public void CompileViewAndLayout(ITemplateKey key, Type modelType, object model, DynamicViewBag viewBag)
{
//获取视图
string FullPath = (HuberVariable.CurWebDir + key.Name.Replace("/", @"\")).Replace(@"\\", @"\");
string content = System.IO.File.ReadAllText(FullPath);
//匹配layout
var matchs = layoutEx.Matches(content);
string layoutPath = string.Empty;
if (matchs != null)
{ foreach (Match m in matchs)
{
layoutPath = m.Groups[1].Value;
}
}
if (layoutPath != string.Empty)
{
//添加layout到模板
string FullLayoutPath = (HuberVariable.CurWebDir + layoutPath.Replace("/", @"\")).Replace(@"\\", @"\"); if (File.Exists(FullLayoutPath))
{
ITemplateKey layoutKey = Engine.Razor.GetKey(layoutPath, ResolveType.Layout);
CompileViewAndLayout(layoutKey, null, model, viewBag);
}
}
if (key.TemplateType == ResolveType.Layout)
{
Engine.Razor.AddTemplate(key, content);
}
else
{
//编译视图
Engine.Razor.RunCompile(content, key, null, model);
} }
}
InvalidatingCachingProvider是RazorEngine对视图文件编译结果的一种缓存策略,RazorEngine提供的缓存策略还有DefaultCachingProvider,也可以自己实现一种缓存策略只要继承ICachingProvider。
HuberImplementingTemplateBase:我们自定义的一种Razor模板标签,如“@Html.Raw”,这个例子也可以在RazorEngine官方文档中找到。我们还可以按照规则定义更多用法,下边是我的一些实现:
/// <summary>页面帮助类
/// A simple helper demonstrating the @Html.Raw
/// </summary>
/// <typeparam name="T"></typeparam>
public class HuberImplementingTemplateBase<T> : TemplateBase<T>
{
/// <summary>
/// A simple helper demonstrating the @Html.Raw
/// </summary>
public HuberImplementingTemplateBase()
{
Html = new RazorHtmlHelper();
} /// <summary>
/// A simple helper demonstrating the @Html.Raw
///
/// </summary>
public RazorHtmlHelper Html { get; set; } } public class RazorHtmlHelper
{ /// <summary>
/// 调用Action视图
/// </summary>
/// <param name="actionName">action方法名称</param>
/// <param name="controllerName">控制器名称</param>
/// <returns></returns>
public IEncodedString Action(string actionName, string controllerName)
{
return Action(actionName, controllerName, new { }); } /// <summary>
/// 调用Action视图
/// </summary>
/// <param name="actionName"></param>
/// <param name="controllerName"></param>
/// <param name="routeValues">传入参数</param>
/// <returns></returns>
public IEncodedString Action(string actionName, string controllerName, object routeValues)
{
RefRequestEntity paras = SetParamValue(routeValues); var t = HuberHttpModule.CurDomainAssembly.GetType(HuberHttpModule.CurDomainAssemblyName + ".Controllers." + controllerName + "Controller");
var m = t.GetMethod(actionName);
object dObj = Activator.CreateInstance(t);
object result = m.Invoke(dObj, new object[] { paras });
return new RawString((result as RefRespondEntity).ResultContext.ToString());
} /// <summary>
/// 根据model设置传入参数
/// </summary>
/// <param name="routeValues"></param>
/// <returns></returns>
private static RefRequestEntity SetParamValue(object routeValues)
{
RefRequestEntity paras = new RefRequestEntity(); Type t1 = routeValues.GetType();
PropertyInfo[] pis = t1.GetProperties();
foreach (PropertyInfo pi in pis)
{
paras.Request.Add(pi.Name, pi.GetValue(routeValues)); }
return paras;
} public IEncodedString RenderAction(string actionName, string controllerName)
{
return Action(actionName, controllerName, new { });
} public IEncodedString RenderAction(string actionName, string controllerName, object routeValues)
{
return Action(actionName, controllerName, routeValues);
} public IEncodedString RenderPartial(string partialViewName, string controllerName)
{
return RenderPartial(partialViewName, controllerName, new { }, new DynamicViewBag());
} // Renders the partial view with the given view data and, implicitly, the given view data's model
public IEncodedString RenderPartial(string partialViewName, string controllerName, DynamicViewBag ViewBag)
{
return RenderPartial(partialViewName, controllerName, new { }, ViewBag);
} // Renders the partial view with an empty view data and the given model
public IEncodedString RenderPartial(string partialViewName, string controllerName, object model)
{
return RenderPartial(partialViewName, controllerName, model, new DynamicViewBag());
} // Renders the partial view with a copy of the given view data plus the given model
/// <summary>
/// 部分视图
/// </summary>
/// <param name="partialViewName">部分视图名称</param>
/// <param name="controllerName">控制器名称</param>
/// <param name="model"> model</param>
/// <param name="ViewBag">ViewBag</param>
/// <returns></returns>
public IEncodedString RenderPartial(string partialViewName, string controllerName, object model, DynamicViewBag ViewBag)
{ RefRequestEntity paras = SetParamValue(model); var t = HuberHttpModule.CurDomainAssembly.GetType(HuberHttpModule.CurDomainAssemblyName + ".Controllers." + controllerName + "Controller");
var ActionFunc = t.GetMethod(partialViewName);
object dObj = Activator.CreateInstance(t); var AddViewBageFunc = t.GetMethod("AddViewBageValues"); foreach (string key in ViewBag.GetDynamicMemberNames())
{ AddViewBageFunc.Invoke(dObj, new object[] { key, Impromptu.InvokeGet(ViewBag, key) });
} object result = ActionFunc.Invoke(dObj, new object[] { paras });
return new RawString((result as RefRespondEntity).ResultContext.ToString());
} }
HuberReferenceResolver:我们定义的Razor中用的类库依赖。
public class HuberReferenceResolver : IReferenceResolver
{ static List<CompilerReference> compilerReference;
static HuberReferenceResolver()
{
//加载本地所有类库,@using 使用
compilerReference = new List<CompilerReference>();
IEnumerable<string> loadedAssemblies = (new UseCurrentAssembliesReferenceResolver())
.GetReferences(null, null)
.Select(r => r.GetFile())
.ToArray();
foreach (var l in loadedAssemblies)
{
compilerReference.Add(CompilerReference.From(l));
} } public string FindLoaded(IEnumerable<string> refs, string find)
{
return refs.First(r => r.EndsWith(System.IO.Path.DirectorySeparatorChar + find));
}
public IEnumerable<CompilerReference> GetReferences(TypeContext context, IEnumerable<CompilerReference> includeAssemblies)
{ #region 加载依赖程序集 此处是加载所有程序集,效率需要改进 return compilerReference;
#endregion
}
}
CompileViewAndLayout()是编译视图文件的主要部分,其中有路径的转换、key的定义规则等。
获取视图文件对应编译后的缓存key:Engine.Razor.GetKey();
编译模板文件(即layout部分):Engine.Razor.AddTemplate();
编译视图文件:Engine.Razor.RunCompile()。
转载请注明出处:http://www.cnblogs.com/eric-z/p/5102718.html
第四篇 基于.net搭建热插拔式web框架(RazorEngine实现)的更多相关文章
- 第三篇 基于.net搭建热插拔式web框架(重造Controller)
由于.net MVC 的controller 依赖于HttpContext,而我们在上一篇中的沙箱模式已经把一次http请求转换为反射调用,并且http上下文不支持跨域,所以我们要重造一个contro ...
- 第二篇 基于.net搭建热插拔式web框架(沙箱的构建)
上周五写了一个实现原理篇,在评论中看到有朋友也遇到了我的问题,真的是有种他乡遇知己的感觉,整个系列我一定会坚持写完,并在最后把代码开源到git中.上一篇文章很多人看了以后,都表示不解,觉得不知道我到底 ...
- 第五篇 基于.net搭建热插拔式web框架(拦截器---请求管道)
好了,前边我们把核心内容介绍完了,接下来要做的就是拦截用户的请求,并把请求转向沙箱内. 这里我们准备通过实现一个HttpModule类来完成请求的拦截与转发.新建一个HuberHttpModule类, ...
- 基于.net搭建热插拔式web框架(实现原理)
第一节:我们为什么需要一个热插拔式的web框架? 模块之间独立开发 假设我们要做一个后台管理系统,其中包括“用户活跃度”.“产品管理”."账单管理"等模块.每个模块中有自己的业务特 ...
- net搭建热插拔式web框架
net搭建热插拔式web框架(重造Controller) 由于.net MVC 的controller 依赖于HttpContext,而我们在上一篇中的沙箱模式已经把一次http请求转换为反射调用,并 ...
- net搭建热插拔式web框架(沙箱的构建)
net搭建热插拔式web框架(沙箱的构建) 上周五写了一个实现原理篇,在评论中看到有朋友也遇到了我的问题,真的是有种他乡遇知己的感觉,整个系列我一定会坚持写完,并在最后把代码开源到git中.上一篇文章 ...
- 带你手写基于 Spring 的可插拔式 RPC 框架(一)介绍
概述 首先这篇文章是要带大家来实现一个框架,听到框架大家可能会觉得非常高大上,其实这和我们平时写业务员代码没什么区别,但是框架是要给别人使用的,所以我们要换位思考,怎么才能让别人用着舒服,怎么样才能让 ...
- 转-基于NodeJS的14款Web框架
基于NodeJS的14款Web框架 2014-10-16 23:28 作者: NodeJSNet 来源: 本站 浏览: 1,399 次阅读 我要评论暂无评论 字号: 大 中 小 摘要: 在几年的时间里 ...
- 两个基于C++/Qt的开源WEB框架
1.tufao 项目地址: https://github.com/vinipsmaker/tufao 主页: http://vinipsmaker.github.io/tufao/ 介绍: Tufão ...
随机推荐
- Basic EEG waves 四种常见EEG波形
Source: https://www.medicine.mcgill.ca/physio/vlab/biomed_signals/eeg_n.htm The electroencephalogram ...
- IDEA 中生成 Hibernate 逆向工程实践
谈起 Hibernate 应该得知道 Gavin King 大叔,他构建了 Hibernate ,并将其捐献给了开源社区. Hibernate 对象关系映射解决方案,为面向对象的领域模型到传统的关系型 ...
- jquery基本操作笔记
来源于:http://www.cnblogs.com/webcome/p/5484005.html jq和js 可以共存,不能混用: 1 2 3 4 5 6 $('.box').css('backgr ...
- CocoaPods的那些坑
CocoaPods的那些坑 文章转自http://blog.csdn.net/zhanniuniu/article/details/52159362#comments 我跟博主的经历超级像!不过自己用 ...
- echarts-在现实标题中显示百分比
如图:需要在标题显示所占百分比 使用方式:途中标记部分 series : [{ name: '类型', type: 'pie', radius : '55%', center: ['50%', '60 ...
- cookie
1.基本操作 Cookie是由服务器端生成,发送给User-Agent(一般是浏览器),浏览器会将Cookie的key/value保存到某个目录下的文本文件内,下次请求同一网站时就发送该Cookie给 ...
- mysql 5分钟倒计时
select * ,now(), DATE_ADD(create_time, INTERVAL 5 MINUTE) from ecs_sms_cache where now() between cre ...
- phpcms二次开发中无法获取SESSION的值
今天在在phpcms开发留言板用到验证码,提交数据,后台无法$_SESSION['code']无法获取验证码值,也无法打印var_dump($_SESSION)值,我们只需要在文件头部添加如下代码: ...
- linux 下shell中if的“-e,-d,-f”是什么意思
文件表达式-e filename 如果 filename存在,则为真-d filename 如果 filename为目录,则为真 -f filename 如果 filename为常规文件,则为真-L ...
- Python Day15
JavaScript JavaScript是一门编程语言,浏览器内置了JavaScript语言的解释器,所以在浏览器上按照JavaScript语言的规则编写相应代码之,浏览器可以解释并做出相应的处理. ...