我有一个带有索引器属性的类,带有一个字符串键:
public class IndexerProvider {
public object this[string key] {
get
{
return ...
}
set
{
...
}
}
...
}
我使用索引符号来绑定到WPF中此类的实例:
<TextBox Text="{Binding [IndexerKeyThingy]}">
工作正常,但我想在其中一个索引器值发生变化时引发PropertyChanged
事件。我尝试使用属性名称“[keyname]”(即在键的名称周围包括[])来提升它,但这似乎不起作用。我的输出窗口中没有任何绑定错误。
我不能使用CollectionChangedEvent,因为索引不是基于整数的。从技术上讲,该对象无论如何都不是一个集合。
我可以这样做,等等,
答案 0 :(得分:46)
根据this blog entry,您必须使用"Item[]"
。 Item是编译器在使用索引器时生成的属性的名称。
如果要显式,可以使用IndexerName属性修饰indexer属性。
这会使代码看起来像:
public class IndexerProvider : INotifyPropertyChanged {
[IndexerName ("Item")]
public object this [string key] {
get {
return ...;
}
set {
... = value;
FirePropertyChanged ("Item[]");
}
}
}
至少它使意图更清晰。我不建议您更改索引器名称,如果您的伙伴发现字符串"Item[]"
是硬编码的,则可能意味着WPF无法处理不同的索引器名称。
答案 1 :(得分:15)
另外,您可以使用
FirePropertyChanged ("Item[IndexerKeyThingy]");
仅通知索引器上绑定到IndexerKeyThingy的控件。
答案 2 :(得分:5)
实际上,我认为将IndexerName属性设置为“Item”是多余的。如果要为其集合项指定其他名称,则IndexerName属性专门用于重命名索引。所以你的代码看起来像这样:
public class IndexerProvider : INotifyPropertyChanged {
[IndexerName("myIndexItem")]
public object this [string key] {
get {
return ...;
}
set {
... = value;
FirePropertyChanged ("myIndexItem[]");
}
}
}
将索引器名称设置为您想要的任何名称后,您就可以在FirePropertyChanged事件中使用它。
答案 3 :(得分:5)
在处理INotifyPropertyChang(ed / ing)和索引器时,至少还有一些注意事项。
首先,大多数避免魔法属性名称字符串的popular methods都是无效的。由[CallerMemberName]
属性创建的字符串在末尾缺少'[]',而lambda成员表达式在表达概念方面存在问题。
() => this[] //Is invalid
() => this[i] //Is a method call expression on get_Item(TIndex i)
() => this //Is a constant expression on the base object
多个other posts使用Binding.IndexerName
来避免字符串文字"Item[]"
,这是合理的,但引发了第二个潜在问题。对WPF相关部分的解密的调查发现了PropertyPath.ResolvePathParts中的以下部分。
if (this._arySVI[i].type == SourceValueType.Indexer)
{
IndexerParameterInfo[] array = this.ResolveIndexerParams(this._arySVI[i].paramList, obj, throwOnError);
this._earlyBoundPathParts[i] = array;
this._arySVI[i].propertyName = "Item[]";
}
重复使用"Item[]"
作为常量值表明WPF期望它是PropertyChanged事件中传递的名称,即使它不关心实际属性的调用(我是并没有以某种方式确定我的满意度,避免使用[IndexerName]
将保持一致性。