我有一组JavaScript命令,例如doc.page == 5
,我正在使用JINT来执行我的C#应用程序中的脚本。
但是,在我的C#代码中,doc
是Dictionary<string, object>
。因此,我不能以这种方式使用点符号。
我当前的解决方案非常低效:我将doc
转换为JSON字符串,并将其添加到我的脚本中。 Dictionary
非常大,因此这比执行simple命令的开销更大。这是一些示例代码:
// Some example data:
var command = "doc.page < 5 || doc.tax < 10 || doc.efile";
var doc = new Dictionary<string, object>(){
{"page", 5},
{"tax", 10},
{"efile", true},
// ... etc ...
};
// Execute the command:
// Convert Dictionary to JSON:
var jsonDoc = new StringBuilder();
jsonDoc.Append("var doc = {");
var first = true;
foreach (var kv in doc) {
if (!first) {
jsonDoc.Append(",");
}
first = false;
jsonDoc.AppendFormat("{0}: {1}", kv.Key, kv.Value);
}
jsonDoc.Append("};");
var je = new JintEngine();
je.Run(jsonDoc.ToString());
var result = je.Run(command);
return result;
有没有办法更有效地做到这一点?
答案 0 :(得分:1)
也许您可以利用dynamic
将点符号语法放入字典中。我没有用JINT测试过,但我认为它会起作用。
这是一个基于DynamicObject
包装词典的示例(某些类型的安全性被忽略,但你得到了一般的想法:-))。您应该能够使其适应JINT。
void Main()
{
var values = new Dictionary<string,object> {
{ "x", 5 }, { "Foo", "Bar" }
};
dynamic expando = new ExpandoDictionary(values);
// We can lookup members in the dictionary by using dot notation on the dynamic expando
Console.WriteLine(expando.x);
// And assign new "members"
expando.y = 42;
expando.Bar = DateTime.Now;
// The value set is in the dictionary
Console.WriteLine(values["Bar"]);
}
public class ExpandoDictionary : DynamicObject
{
private readonly Dictionary<string,object> inner;
public ExpandoDictionary(Dictionary<string,object> inner)
{
this.inner = inner;
}
public override bool TrySetMember(SetMemberBinder binder, object value)
{
inner[binder.Name] = value;
return true;
}
public override bool TryGetMember(GetMemberBinder binder, out object value)
{
return inner.TryGetValue(binder.Name, out value);
}
}