我有一个班级
public class News : Record
{
public News()
{
}
public LocaleValues Name { get; set; }
public LocaleValues Body;
}
在我的LocaleValues
课程中,我有:
public class LocaleValues : List<LocalizedText>
{
public string Method
{
get
{
var res = System.Reflection.MethodBase.GetCurrentMethod().Name;
return res;
}
}
}
当我这样打电话时,我需要Method
属性来返回Name
属性名称的字符串表示:
var propName = new News().Name.Method;
我怎样才能做到这一点?谢谢你的时间!
答案 0 :(得分:10)
如果你真的是指当前属性(问题标题):
public static string GetCallerName([CallerMemberName] string name = null) {
return name;
}
...
public string Foo {
get {
...
var myName = GetCallerName(); // "Foo"
...
}
set { ... }
}
这会将工作推送到编译器而不是运行时,并且无论内联,混淆等等都可以工作。请注意,这需要using
using System.Runtime.CompilerServices;
,C#5和.NET 4.5的var propName = new News().Name.Method;
指令或者类似。
如果您的意思是:
.Name.Method()
那么直接来自那个语法是不可能的; .Name
将在Name
的结果上调用某些东西(可能是扩展方法) - 但这只是另一个对象,并且不知道它来自何处(例如Name
属性)。理想情况下,获取Expression<Func<object>> expr = () => new News().Bar;
var name = ((MemberExpression)expr.Body).Member.Name; // "Bar"
,表达式树是最简单的方法。
public static string GetMemberName(LambdaExpression lambda)
{
var member = lambda.Body as MemberExpression;
if (member == null) throw new NotSupportedException(
"The final part of the lambda is not a member-expression");
return member.Member.Name;
}
可以封装为:
Expression<Func<object>> expr = () => new News().Bar;
var name = GetMemberName(expr); // "Bar"
即
{{1}}