我想尝试让 NVelocity 在我的 MonoRail 应用程序中自动对某些字符串进行 HTML 编码。
我查看了 NVelocity 源代码,发现EventCartridge
它似乎是一个可以插入以更改各种行为的类。
特别是这个类有一个ReferenceInsert
方法,它似乎完全符合我的要求。它基本上在引用的值(例如 $foobar)获得输出之前被调用,并允许您修改结果。
我无法解决的是如何配置 NVelocity/MonoRail NVelocity 视图引擎以使用我的实现?
Velocity 文档建议velocity.properties 可以包含用于添加这样的特定事件处理程序的条目,但我在NVelocity 源代码中找不到查找此配置的任何地方。
非常感谢任何帮助!
编辑:一个简单的测试显示这个工作(概念证明而不是生产代码!)
private VelocityEngine _velocityEngine;
private VelocityContext _velocityContext;
[SetUp]
public void Setup()
{
_velocityEngine = new VelocityEngine();
_velocityEngine.Init();
// creates the context...
_velocityContext = new VelocityContext();
// attach a new event cartridge
_velocityContext.AttachEventCartridge(new EventCartridge());
// add our custom handler to the ReferenceInsertion event
_velocityContext.EventCartridge.ReferenceInsertion += EventCartridge_ReferenceInsertion;
}
[Test]
public void EncodeReference()
{
_velocityContext.Put("thisShouldBeEncoded", "<p>This \"should\" be 'encoded'</p>");
var writer = new StringWriter();
var result = _velocityEngine.Evaluate(_velocityContext, writer, "HtmlEncodingEventCartridgeTestFixture.EncodeReference", @"<p>This ""shouldn't"" be encoded.</p> $thisShouldBeEncoded");
Assert.IsTrue(result, "Evaluation returned failure");
Assert.AreEqual(@"<p>This ""shouldn't"" be encoded.</p> <p>This "should" be 'encoded'</p>", writer.ToString());
}
private static void EventCartridge_ReferenceInsertion(object sender, ReferenceInsertionEventArgs e)
{
var originalString = e.OriginalValue as string;
if (originalString == null) return;
e.NewValue = HtmlEncode(originalString);
}
private static string HtmlEncode(string value)
{
return value
.Replace("&", "&")
.Replace("<", "<")
.Replace(">", ">")
.Replace("\"", """)
.Replace("'", "'"); // ' does not work in IE
}