我最近开始尝试使用PostSharp,我发现了一个特别有用的方面来自动实现INotifyPropertyChanged。您可以看到示例here。基本功能非常出色(将通知所有属性),但有时我可能希望禁止通知。
例如,我可能知道在构造函数中设置了一个特定属性,并且永远不会再次更改。因此,无需为NotifyPropertyChanged发出代码。当类不经常实例化时,开销很小,我可以通过从自动生成的属性切换到字段支持的属性并写入字段来防止问题。但是,当我正在学习这个新工具时,知道是否有办法用属性标记属性来抑制代码生成会很有帮助。我希望能够做到这样的事情:
[NotifyPropertyChanged]
public class MyClass
{
public double SomeValue { get; set; }
public double ModifiedValue { get; private set; }
[SuppressNotify]
public double OnlySetOnce { get; private set; }
public MyClass()
{
OnlySetOnce = 1.0;
}
}
答案 0 :(得分:5)
您可以使用MethodPointcut而不是MulticastPointcut,即使用Linq-over-Reflection并针对PropertyInfo.IsDefined(您的属性)进行过滤。
private IEnumerable<PropertyInfo> SelectProperties( Type type )
{
const BindingFlags bindingFlags = BindingFlags.Instance |
BindingFlags.DeclaredOnly
| BindingFlags.Public;
return from property
in type.GetProperties( bindingFlags )
where property.CanWrite &&
!property.IsDefined(typeof(SuppressNotify))
select property;
}
[OnLocationSetValueAdvice, MethodPointcut( "SelectProperties" )]
public void OnSetValue( LocationInterceptionArgs args )
{
if ( args.Value != args.GetCurrentValue() )
{
args.ProceedSetValue();
this.OnPropertyChangedMethod.Invoke(null);
}
}
答案 1 :(得分:3)
另一种简单的方法,使用:
[NotifyPropertyChanged(AttributeExclude=true)]
...来抑制特定方法的属性。即使有一个全局属性附加到类(如上例中),这也可以工作。
以下是完整的示例代码:
[NotifyPropertyChanged]
public class MyClass
{
public double SomeValue { get; set; }
public double ModifiedValue { get; private set; }
[NotifyPropertyChanged(AttributeExclude=True)]
public double OnlySetOnce { get; private set; }
public MyClass()
{
OnlySetOnce = 1.0;
}
}
添加此行后,PostSharp甚至会更新MSVS GUI以删除指示哪些属性附加到方法的下划线。当然,如果运行调试器,它将跳过执行该特定方法的任何属性。
答案 2 :(得分:0)
仅供参考,我在Sharpcrafters网站上的示例存在一些问题,并且必须做出以下更改:
/// <summary>
/// Field bound at runtime to a delegate of the method <c>OnPropertyChanged</c>.
/// </summary>
[ImportMember("OnPropertyChanged", IsRequired = true, Order = ImportMemberOrder.AfterIntroductions)]
public Action<string> OnPropertyChangedMethod;
我认为它引入了OnPropertyChanged成员,但在它有机会创建之前导入。这会导致OnPropertySet失败,因为this.OnPropertyChangedMethod为null。