检索在Func中执行的调用方法的名称

时间:2009-08-04 03:43:03

标签: c# delegates lambda methodinfo

我想获取被委派为Func的方法的名称。

Func<MyObject, object> func = x => x.DoSomeMethod();
string name = ExtractMethodName(func); // should equal "DoSomeMethod"

我怎样才能做到这一点?

- 吹牛的权利 -

使ExtractMethodName也适用于属性调用,让它返回该实例中的属性名称。

例如

Func<MyObject, object> func = x => x.Property;
string name = ExtractMethodName(func); // should equal "Property"

3 个答案:

答案 0 :(得分:11)

看马!没有表达树!

这是一个快速,肮脏且特定于实现的版本,它从基础lambda的IL流中获取元数据令牌并解析它。

private static string ExtractMethodName(Func<MyObject, object> func)
{
    var il = func.Method.GetMethodBody().GetILAsByteArray();

    // first byte is ldarg.0
    // second byte is callvirt
    // next four bytes are the MethodDef token
    var mdToken = (il[5] << 24) | (il[4] << 16) | (il[3] << 8) | il[2];
    var innerMethod = func.Method.Module.ResolveMethod(mdToken);

    // Check to see if this is a property getter and grab property if it is...
    if (innerMethod.IsSpecialName && innerMethod.Name.StartsWith("get_"))
    {
        var prop = (from p in innerMethod.DeclaringType.GetProperties()
                    where p.GetGetMethod() == innerMethod
                    select p).FirstOrDefault();
        if (prop != null)
            return prop.Name;
    }

    return innerMethod.Name;
}

答案 1 :(得分:0)

我不认为这在一般情况下是可行的。如果你有:

Func<MyObject, object> func = x => x.DoSomeMethod(x.DoSomeOtherMethod());

你会期待什么?

话虽这么说,你可以使用反射来打开Func对象,看看里面的内容,但是你只能在某些情况下解决它。

答案 2 :(得分:0)

在这里查看我的黑客答案:

Why is there not a `fieldof` or `methodof` operator in C#?

在过去,我采用另一种方式使用Func代替Expression<Func<...>>,但我对结果不太满意。用于检测MemberExpression方法中字段的fieldof将在使用属性时返回PropertyInfo

编辑#1:这适用于问题的一个子集:

Func<object> func = x.DoSomething;
string name = func.Method.Name;

编辑#2:无论谁标记我,都应该花点时间才能意识到这里发生了什么。表达式树可以隐式地与lambda表达式一起使用,并且是在这里获取特定请求信息的最快,最可靠的方法。