如何获取Lambda表达式的调用方法和执行方法的名称

How To Get Name of Calling Method and Executing Method of Lambda Expression

我有一些历史代码,我们想获得一些关于如何使用某些方法的数据。我正在尝试使用反射访问调用方法的名称以及执行方法的名称。但是我似乎只能得到外部调用方法的名称。

我们有一个 source 方法可以做这样的事情:

public class DataBinder
{
    public IEnumerable<object> FindData(string id)
    {
        var data = Helper.MeasureExecution(() => DataHelper.GetData(id), MethodBase.GetCurrentMethod());

        return data;
    }
}

静态 Helper class 中的一个方法执行如下操作:

public static T MeasureExecution<T>(Func<T> func, MethodBase sourceMethod)
{
    T funcResult;

    funcResult = func();

    try
    {
        var executingMethod = string.Empty;

        if (func.Method!= null)
        {
            executingMethod = func.Method.Name;
        }

        LogDetails($"Method Being Executed: {executingMethod}, Executing Source Class: {sourceMethod.ReflectedType.Name}, Executing Source Method: {sourceMethod.Name});
    }
    catch { }

    return funcResult;
}

我想得到以下"Method Being Executed: GetData, Executing Source Class: DataBinder, Executing Source Method: FindData",但我总是得到"Method Being Executed: FindData, Executing Source Class: DataBinder, Executing Source Method: FindData"

这是否与静态的 lambda 表达式有关,或者我在这里遗漏了一些基本的东西?

lambda 中给出的表达式是委托,您必须遍历其内容才能获得实际的方法细节。我建议将 Helper 方法 (MeasureExecution) 的参数类型更新为 Expression<Func<T>> 而不是 Func<T>,因为 Expression 类型可以让您轻松检查 Func。我确实用下面的代码片段尝试了一个示例,它按照预期工作。我用一个静态变量代替你的 LogDetails 来让我更轻松地仔细检查发送的内容。

public static T MeasureExecution<T>(Expression<Func<T>> func, MethodBase sourceMethod)
        {
            T funcResult;

            funcResult = func.Compile()();

            try
            {
                var executingMethod = string.Empty;
                var methodExpression = func.Body as MethodCallExpression;

                if (methodExpression != null)
                {
                    executingMethod = methodExpression.Method != null ? methodExpression.Method.Name : "Cannot find method details";
                }

                MethodInformation = string.Format("Method Being Executed:  {0}, Executing Source Class: {1}, Executing Source Method: {2}", executingMethod, sourceMethod.ReflectedType.Name, sourceMethod.Name);
                }
                catch { }

                return funcResult;
        }

        public static string MethodInformation { get; private set; }

这是我得到的输出 - 正在执行的方法:GetData,正在执行源代码Class:DataBinder,正在执行源代码方法:FindData