当您致电RazorEngine.Razor.Compile()
时,存储的编译模板在哪里?
程序重启后是否可用?如果内存不足,会被丢弃吗?
我在ASP.NET(MVC)项目中使用RazorEngine
。应用程序重新启动后,预编译的模板是否可用?
我将它们存储在HttpContext.Cache
中会更有意义吗?
如果我这样做,那么使用绕过内部缓存的不同功能(Compile
除外)会更有意义吗?有没有办法执行ITemplate
并只是传递一个模型?
RazorEngine.Razor.Parse()
是否进行任何缓存?或者每次都重新编译模板?
答案 0 :(得分:17)
目前,在RazorEngine编译模板后,它们被加载到内存中。这些程序集仅在内存中保留,并且不会超出应用程序的生命周期。
我正在考虑添加支持将这些程序集编译到文件中,但这将是未来的版本。
如果您致电Razor.Parse
并传入模板名称,则会尝试
答案 1 :(得分:7)
我已经将它与2014年1月下旬安装的RazorEngine 3.4.1.0配合使用。
关键是调用昂贵的Razor.Compile(content, name)
将模板放入缓存中,然后调用便宜的Razor.Run(name, model)
来执行模板。
请记住,阅读模板内容可能很昂贵 - 例如,涉及从磁盘读取 - 所以我的解决方案只获取模板内容一次。这可能是太多缓存,所以小心!
这是我在自定义RenderPartial
子类中使用的TemplateBase<T>
方法。对于同一模板的多次调用,它运行速度非常快。
public abstract class SqlTemplate<T>: TemplateBase<T>
{
public string RenderPartial(string templateName, object model = null)
{
// loading a template might be expensive, so be careful to cache content
if (Razor.Resolve(templateName) == null)
{
// we've never seen this template before, so compile it and stick it in cache.
var templateContent = GetTemplateContent(templateName);
Razor.Compile(templateContent, templateName);
}
// by now, we know we've got a the template cached and ready to run; this is fast
var renderedContent = Razor.Run(templateName, model);
return renderedContent;
}
private string GetTemplateContent(string templateName)
{
... your implementation here
}
}
你还需要告诉Razor使用这个基类(SqlTempalte<T>)
,你可以这样做,通过调用RazorEngineConfigurator.Configure()
;
public static class RazorEngineConfigurator
{
private static bool configured = false;
public static void Configure()
{
if (configured)
{
return;
}
var templateConfig = new TemplateServiceConfiguration
{
BaseTemplateType = typeof(SqlTemplate<>),
EncodedStringFactory = new RazorEngine.Text.RawStringFactory()
};
RazorEngine.Razor.SetTemplateService(new TemplateService(templateConfig));
configured = true;
}
}
没有this SO answer就不能这样做 - 为什么不给那个人投票呢? :)
编辑 - 如果您需要以更精细的方式执行缓存,则需要使用RazorEngineTemplateService
和ITemplateResolver
使用不同的方法。
这是一段初学者代码;
public static RazorEngineTemplateService CreateService(ITemplateResolver resolver, ICollection<string> namespaces)
{
Check.IsNotNull(resolver, "resolver");
var config = new TemplateServiceConfiguration();
config.BaseTemplateType = typeof(PlainTextTemplate<>);
config.EncodedStringFactory = new RazorEngine.Text.RawStringFactory();
config.Resolver = resolver;
config.Namespaces = new HashSet<string>(namespaces);
var service = new RazorEngineTemplateService(config);
return service;
}
ITemplateResolver
将模板名称转换为模板内容,因此您可以实现例如从磁盘加载缓存内容的CachedFileTemplateResolver
。