(见下面我用我接受的答案创建的解决方案)
我试图提高一些涉及反射的代码的可维护性。该应用程序有一个。net Remoting接口公开了一个名为Execute
的方法,用于访问未包含在其发布的远程接口中的应用程序部分。
下面是应用程序如何指定属性(本例中的静态属性),这意味着可以通过Execute访问:
RemoteMgr.ExposeProperty("SomeSecret", typeof(SomeClass), "SomeProperty");
因此远程用户可以调用:
string response = remoteObject.Execute("SomeSecret");
应用程序将使用反射来查找SomeClass。SomeProperty并以字符串形式返回它的值。
不幸的是,如果有人重命名SomeProperty并且忘记更改ExposeProperty()的第3个参数,就会破坏这个机制。
我需要的是:
SomeClass.SomeProperty.GetTheNameOfThisPropertyAsAString()
作为ExposeProperty
中的第三个parm,这样重构工具就会照顾到重命名。
有办法做到这一点吗?
好吧,这是我最终创建的(基于我选择的答案和他引用的问题):
// <summary>
// Get the name of a static or instance property from a property access lambda.
// </summary>
// <typeparam name="T">Type of the property</typeparam>
// <param name="propertyLambda">lambda expression of the form: '() => Class.Property' or '() => object.Property'</param>
// <returns>The name of the property</returns>
public string GetPropertyName<T>(Expression<Func<T>> propertyLambda)
{
var me = propertyLambda.Body as MemberExpression;
if (me == null)
{
throw new ArgumentException("You must pass a lambda of the form: '() => Class.Property' or '() => object.Property'");
}
return me.Member.Name;
}
用法:
// Static Property
string name = GetPropertyName(() => SomeClass.SomeProperty);
// Instance Property
string name = GetPropertyName(() => someObject.SomeProperty);
现在有了这个很酷的功能,是时候简化ExposeProperty方法了。擦门把手是危险的工作。