编译Expression<T>时,框架是否隐式缓存了结果代码?我在考虑静态Regex方法的思路,在该方法中,框架隐式编译并缓存了最后几个正则表达式。

如果未缓存已编译的Expression<T>对象,您是否可以推荐一些最佳实践来降低编译时间,或者如果手动缓存一个表达式可能会导致问题的任何陷阱?

public MyResultType DoSomething(int arg1, int arg2)
{
    var result = invokeHandler(
        (IDoSomethingHandler h) => h.DoSomething(arg1, arg2)
    );
    return result;
}

private TResult invokeHandler<T, TResult>(Expression<Func<T, TResult>> action)
    where T : class
{
    // Here, I might want to check to see if action is already cached.

    var compiledAction = action.Compile();
    var methodCallExpr = action as MethodCallExpression;

    // Here, I might want to store methodCallExpr in a cache somewhere.

    var handler = ServiceLocator.Current.GetInstance<T>();
    var result = compiledAction(handler);

    return result;
}

在此示例中,我有点担心,如果我缓存已编译的表达式,它将使用arg1arg2的值,就像它们在编译表达式时一样,而不是从堆栈中的适当位置检索这些值。 (即不是获取当前值)。

最佳答案

没有;我不相信这是事实;如果要对其进行缓存,则必须保留Delegate引用(通常为Func<...>Action<...>)。同样,如果要获得最佳性能,则可以将其编译为参数化表达式,以便在调用它时可以发送不同的值。

在这种情况下,重新措辞将有助于:

public MyResultType DoSomething(int arg1, int arg2)
{
    var result = invokeHandler(
        (IDoSomethingHandler h, int a1, int a2) => h.DoSomething(a1, a2),
        arg1, arg2);
    return result;
}

private TResult invokeHandler<T, TResult>(Expression<Func<T,int,int,TResult>> action,
    int arg1, int arg2)
    where T : class
{
    // Here, I might want to check to see if action is already cached.

    var compiledAction = action.Compile();
    var methodCallExpr = action as MethodCallExpression;

    // Here, I might want to store methodCallExpr in a cache somewhere.

    var handler = ServiceLocator.Current.GetInstance<T>();
    var result = compiledAction(handler, arg1, arg2);

    return result;
}

即设置表达式的数字参数,并在运行时传递实际的参数(而不是表达式中的常量)。

09-25 16:26
查看更多