c# – 如何获取当前属性的名称
作者:互联网
参见英文答案 > Reflection – get property name 2个
我上了课
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;
我怎样才能做到这一点?感谢您的时间!
解决方法:
如果你真的是指当前的财产(问题标题):
public static string GetCallerName([CallerMemberName] string name = null) {
return name;
}
...
public string Foo {
get {
...
var myName = GetCallerName(); // "Foo"
...
}
set { ... }
}
这会将工作推送到编译器而不是运行时,并且无论内联,混淆等都可以工作.请注意,这需要使用System.Runtime.CompilerServices;,C#5和.NET 4.5或类似的using指令.
如果你的意思是这个例子:
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"
标签:c,system-reflection 来源: https://codeday.me/bug/20190718/1493583.html