2

我想获取被委派为 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"
4

3 回答 3

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;
}
于 2009-08-04T04:13:00.087 回答
0

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

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

你会期待什么?

话虽如此,您可以使用反射打开 Func 对象并查看它在内部做了什么,但您只能在某些情况下解决它。

于 2009-08-04T03:47:32.837 回答
0

在这里查看我的 hack 答案:

为什么 C# 中没有 `fieldof` 或 `methodof` 运算符?

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

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

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

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

于 2009-08-04T03:53:08.660 回答