我有一个实现ICustomTypeDescriptor的类,并由用户在PropertyGrid中查看和编辑。我的类还有一个IsReadOnly属性,用于确定用户以后是否能够保存更改。如果用户无法保存,我不想让用户进行更改。因此,如果IsReadOnly为true,我想覆盖任何可以在属性网格中以只读方式编辑的属性。
我正在尝试使用ICustomTypeDescriptor的GetProperties方法向每个PropertyDescriptor添加ReadOnlyAttribute。但它似乎没有奏效。这是我的代码。
public PropertyDescriptorCollection GetProperties(Attribute[] attributes)
{
List<PropertyDescriptor> fullList = new List<PropertyDescriptor>();
//gets the base properties (omits custom properties)
PropertyDescriptorCollection defaultProperties = TypeDescriptor.GetProperties(this, attributes, true);
foreach (PropertyDescriptor prop in defaultProperties)
{
if(!prop.IsReadOnly)
{
//adds a readonly attribute
Attribute[] readOnlyArray = new Attribute[1];
readOnlyArray[0] = new ReadOnlyAttribute(true);
TypeDescriptor.AddAttributes(prop,readOnlyArray);
}
fullList.Add(prop);
}
return new PropertyDescriptorCollection(fullList.ToArray());
}
这甚至是使用TypeDescriptor.AddAttributes()的正确方法吗?在调用之后进行调试时,AddAttributes()prop仍然具有相同数量的属性,其中没有一个是ReadOnlyAttribute。
答案 0 :(得分:3)
TypeDescriptor.AddAttributes
将类级别属性添加到给定对象或对象类型,而不是属性级属性。最重要的是,除了返回的TypeDescriptionProvider
的行为之外,我认为它没有任何影响。
相反,我会包装所有默认属性描述符,如下所示:
public PropertyDescriptorCollection GetProperties(Attribute[] attributes)
{
return new PropertyDescriptorCollection(
TypeDescriptor.GetProperties(this, attributes, true)
.Select(x => new ReadOnlyWrapper(x))
.ToArray());
}
其中ReadOnlyWrapper
是这样的类:
public class ReadOnlyWrapper : PropertyDescriptor
{
private readonly PropertyDescriptor innerPropertyDescriptor;
public ReadOnlyWrapper(PropertyDescriptor inner)
{
this.innerPropertyDescriptor = inner;
}
public override bool IsReadOnly
{
get
{
return true;
}
}
// override all other abstract members here to pass through to the
// inner object, I only show it for one method here:
public override object GetValue(object component)
{
return this.innerPropertyDescriptor.GetValue(component);
}
}