我正在使用 PropertyDescriptor 和 ICustomTypeDescriptor(仍然)尝试将 WPF DataGrid 绑定到一个对象,该对象的数据存储在字典中。
因为如果您向 WPF DataGrid 传递一个 Dictionary 对象列表,它将根据字典的公共属性(Comparer、Count、Keys 和 Values)自动生成列,因此我的 Person 是 Dictionary 的子类并实现 ICustomTypeDescriptor。
ICustomTypeDescriptor 定义了一个返回 PropertyDescriptorCollection 的 GetProperties 方法。
PropertyDescriptor 是抽象的,因此您必须对其进行子类化,我想我应该有一个构造函数,它采用 Func 和一个 Action 参数来委托获取和设置字典中的值。
然后我为字典中的每个键创建一个 PersonPropertyDescriptor,如下所示:
foreach (string s in this.Keys)
{
var descriptor = new PersonPropertyDescriptor(
s,
new Func<object>(() => { return this[s]; }),
new Action<object>(o => { this[s] = o; }));
propList.Add(descriptor);
}
问题是每个属性都有自己的 Func 和 Action 但它们都共享外部变量s所以尽管 DataGrid 为“ID”、“FirstName”、“LastName”、“Age”、“Gender”自动生成列,但它们都得到并且针对“性别”设置,这是foreach 循环中s的最终静止值。
如何确保每个委托都使用所需的字典键,即实例化 Func/Action 时 s 的值?
非常感谢。
这是我剩下的想法,我只是在这里试验这些不是“真正的”课程......
// DataGrid binds to a People instance
public class People : List<Person>
{
public People()
{
this.Add(new Person());
}
}
public class Person : Dictionary<string, object>, ICustomTypeDescriptor
{
private static PropertyDescriptorCollection descriptors;
public Person()
{
this["ID"] = "201203";
this["FirstName"] = "Bud";
this["LastName"] = "Tree";
this["Age"] = 99;
this["Gender"] = "M";
}
//... other ICustomTypeDescriptor members...
public PropertyDescriptorCollection GetProperties()
{
if (descriptors == null)
{
var propList = new List<PropertyDescriptor>();
foreach (string s in this.Keys)
{
var descriptor = new PersonPropertyDescriptor(
s,
new Func<object>(() => { return this[s]; }),
new Action<object>(o => { this[s] = o; }));
propList.Add(descriptor);
}
descriptors = new PropertyDescriptorCollection(propList.ToArray());
}
return descriptors;
}
//... other other ICustomTypeDescriptor members...
}
public class PersonPropertyDescriptor : PropertyDescriptor
{
private Func<object> getFunc;
private Action<object> setAction;
public PersonPropertyDescriptor(string name, Func<object> getFunc, Action<object> setAction)
: base(name, null)
{
this.getFunc = getFunc;
this.setAction = setAction;
}
// other ... PropertyDescriptor members...
public override object GetValue(object component)
{
return getFunc();
}
public override void SetValue(object component, object value)
{
setAction(value);
}
}