PropertyDescriptor Класс
Определение
Предоставляет краткое описание свойства в классе.Provides an abstraction of a property on a class.
public ref class PropertyDescriptor abstract : System::ComponentModel::MemberDescriptor
public abstract class PropertyDescriptor : System.ComponentModel.MemberDescriptor
[System.Runtime.InteropServices.ComVisible(true)]
public abstract class PropertyDescriptor : System.ComponentModel.MemberDescriptor
type PropertyDescriptor = class
inherit MemberDescriptor
[<System.Runtime.InteropServices.ComVisible(true)>]
type PropertyDescriptor = class
inherit MemberDescriptor
Public MustInherit Class PropertyDescriptor
Inherits MemberDescriptor
- Наследование
- Производный
- Атрибуты
Примеры
Следующий пример кода создан на основе примера в PropertyDescriptorCollection классе.The following code example is built upon the example in the PropertyDescriptorCollection class. На ней выводятся сведения (категория, описание, отображаемое имя) текста кнопки в текстовом поле.It prints the information (category, description, display name) of the text of a button in a text box. Предполагается, button1
что textbox1
экземпляры и были созданы в форме.It assumes that button1
and textbox1
have been instantiated on a form.
// Creates a new collection and assign it the properties for button1.
PropertyDescriptorCollection^ properties = TypeDescriptor::GetProperties( button1 );
// Sets an PropertyDescriptor to the specific property.
System::ComponentModel::PropertyDescriptor^ myProperty = properties->Find( "Text", false );
// Prints the property and the property description.
textBox1->Text = String::Concat( myProperty->DisplayName, "\n" );
textBox1->Text = String::Concat( textBox1->Text, myProperty->Description, "\n" );
textBox1->Text = String::Concat( textBox1->Text, myProperty->Category, "\n" );
// Creates a new collection and assign it the properties for button1.
PropertyDescriptorCollection properties = TypeDescriptor.GetProperties(button1);
// Sets an PropertyDescriptor to the specific property.
System.ComponentModel.PropertyDescriptor myProperty = properties.Find("Text", false);
// Prints the property and the property description.
textBox1.Text = myProperty.DisplayName+ '\n' ;
textBox1.Text += myProperty.Description + '\n';
textBox1.Text += myProperty.Category + '\n';
' Creates a new collection and assign it the properties for button1.
Dim properties As PropertyDescriptorCollection = TypeDescriptor.GetProperties(Button1)
' Sets an PropertyDescriptor to the specific property.
Dim myProperty As PropertyDescriptor = properties.Find("Text", False)
' Prints the property and the property description.
TextBox1.Text += myProperty.DisplayName & Microsoft.VisualBasic.ControlChars.Cr
TextBox1.Text += myProperty.Description & Microsoft.VisualBasic.ControlChars.Cr
TextBox1.Text += myProperty.Category & Microsoft.VisualBasic.ControlChars.Cr
В следующем примере кода показано, как реализовать пользовательский дескриптор свойства, который предоставляет обертку, доступную только для чтения, вокруг свойства.The following code example shows how to implement a custom property descriptor that provides a read-only wrapper around a property. SerializeReadOnlyPropertyDescriptor
Используется в пользовательском конструкторе для предоставления дескриптора свойства только для чтения для свойства элемента управления Size .The SerializeReadOnlyPropertyDescriptor
is used in a custom designer to provide a read-only property descriptor for the control's Size property.
using System;
using System.Collections;
using System.ComponentModel;
using System.Text;
namespace ReadOnlyPropertyDescriptorTest
{
// The SerializeReadOnlyPropertyDescriptor shows how to implement a
// custom property descriptor. It provides a read-only wrapper
// around the specified PropertyDescriptor.
internal sealed class SerializeReadOnlyPropertyDescriptor : PropertyDescriptor
{
private PropertyDescriptor _pd = null;
public SerializeReadOnlyPropertyDescriptor(PropertyDescriptor pd)
: base(pd)
{
this._pd = pd;
}
public override AttributeCollection Attributes
{
get
{
return( AppendAttributeCollection(
this._pd.Attributes,
ReadOnlyAttribute.Yes) );
}
}
protected override void FillAttributes(IList attributeList)
{
attributeList.Add(ReadOnlyAttribute.Yes);
}
public override Type ComponentType
{
get
{
return this._pd.ComponentType;
}
}
// The type converter for this property.
// A translator can overwrite with its own converter.
public override TypeConverter Converter
{
get
{
return this._pd.Converter;
}
}
// Returns the property editor
// A translator can overwrite with its own editor.
public override object GetEditor(Type editorBaseType)
{
return this._pd.GetEditor(editorBaseType);
}
// Specifies the property is read only.
public override bool IsReadOnly
{
get
{
return true;
}
}
public override Type PropertyType
{
get
{
return this._pd.PropertyType;
}
}
public override bool CanResetValue(object component)
{
return this._pd.CanResetValue(component);
}
public override object GetValue(object component)
{
return this._pd.GetValue(component);
}
public override void ResetValue(object component)
{
this._pd.ResetValue(component);
}
public override void SetValue(object component, object val)
{
this._pd.SetValue(component, val);
}
// Determines whether a value should be serialized.
public override bool ShouldSerializeValue(object component)
{
bool result = this._pd.ShouldSerializeValue(component);
if (!result)
{
DefaultValueAttribute dva = (DefaultValueAttribute)_pd.Attributes[typeof(DefaultValueAttribute)];
if (dva != null)
{
result = !Object.Equals(this._pd.GetValue(component), dva.Value);
}
else
{
result = true;
}
}
return result;
}
// The following Utility methods create a new AttributeCollection
// by appending the specified attributes to an existing collection.
static public AttributeCollection AppendAttributeCollection(
AttributeCollection existing,
params Attribute[] newAttrs)
{
return new AttributeCollection(AppendAttributes(existing, newAttrs));
}
static public Attribute[] AppendAttributes(
AttributeCollection existing,
params Attribute[] newAttrs)
{
if (existing == null)
{
throw new ArgumentNullException(nameof(existing));
}
newAttrs ??= new Attribute[0];
Attribute[] attributes;
Attribute[] newArray = new Attribute[existing.Count + newAttrs.Length];
int actualCount = existing.Count;
existing.CopyTo(newArray, 0);
for (int idx = 0; idx < newAttrs.Length; idx++)
{
if (newAttrs[idx] == null)
{
throw new ArgumentNullException("newAttrs");
}
// Check if this attribute is already in the existing
// array. If it is, replace it.
bool match = false;
for (int existingIdx = 0; existingIdx < existing.Count; existingIdx++)
{
if (newArray[existingIdx].TypeId.Equals(newAttrs[idx].TypeId))
{
match = true;
newArray[existingIdx] = newAttrs[idx];
break;
}
}
if (!match)
{
newArray[actualCount++] = newAttrs[idx];
}
}
// If some attributes were collapsed, create a new array.
if (actualCount < newArray.Length)
{
attributes = new Attribute[actualCount];
Array.Copy(newArray, 0, attributes, 0, actualCount);
}
else
{
attributes = newArray;
}
return attributes;
}
}
}
Imports System.Collections
Imports System.ComponentModel
Imports System.Text
' The SerializeReadOnlyPropertyDescriptor shows how to implement a
' custom property descriptor. It provides a read-only wrapper
' around the specified PropertyDescriptor.
Friend NotInheritable Class SerializeReadOnlyPropertyDescriptor
Inherits PropertyDescriptor
Private _pd As PropertyDescriptor = Nothing
Public Sub New(ByVal pd As PropertyDescriptor)
MyBase.New(pd)
Me._pd = pd
End Sub
Public Overrides ReadOnly Property Attributes() As AttributeCollection
Get
Return AppendAttributeCollection(Me._pd.Attributes, ReadOnlyAttribute.Yes)
End Get
End Property
Protected Overrides Sub FillAttributes(ByVal attributeList As IList)
attributeList.Add(ReadOnlyAttribute.Yes)
End Sub
Public Overrides ReadOnly Property ComponentType() As Type
Get
Return Me._pd.ComponentType
End Get
End Property
' The type converter for this property.
' A translator can overwrite with its own converter.
Public Overrides ReadOnly Property Converter() As TypeConverter
Get
Return Me._pd.Converter
End Get
End Property
' Returns the property editor
' A translator can overwrite with its own editor.
Public Overrides Function GetEditor(ByVal editorBaseType As Type) As Object
Return Me._pd.GetEditor(editorBaseType)
End Function
' Specifies the property is read only.
Public Overrides ReadOnly Property IsReadOnly() As Boolean
Get
Return True
End Get
End Property
Public Overrides ReadOnly Property PropertyType() As Type
Get
Return Me._pd.PropertyType
End Get
End Property
Public Overrides Function CanResetValue(ByVal component As Object) As Boolean
Return Me._pd.CanResetValue(component)
End Function
Public Overrides Function GetValue(ByVal component As Object) As Object
Return Me._pd.GetValue(component)
End Function
Public Overrides Sub ResetValue(ByVal component As Object)
Me._pd.ResetValue(component)
End Sub
Public Overrides Sub SetValue(ByVal component As Object, ByVal val As Object)
Me._pd.SetValue(component, val)
End Sub
' Determines whether a value should be serialized.
Public Overrides Function ShouldSerializeValue(ByVal component As Object) As Boolean
Dim result As Boolean = Me._pd.ShouldSerializeValue(component)
If Not result Then
Dim dva As DefaultValueAttribute = _
CType(_pd.Attributes(GetType(DefaultValueAttribute)), DefaultValueAttribute)
If Not (dva Is Nothing) Then
result = Not [Object].Equals(Me._pd.GetValue(component), dva.Value)
Else
result = True
End If
End If
Return result
End Function
' The following Utility methods create a new AttributeCollection
' by appending the specified attributes to an existing collection.
Public Shared Function AppendAttributeCollection( _
ByVal existing As AttributeCollection, _
ByVal ParamArray newAttrs() As Attribute) As AttributeCollection
Return New AttributeCollection(AppendAttributes(existing, newAttrs))
End Function
Public Shared Function AppendAttributes( _
ByVal existing As AttributeCollection, _
ByVal ParamArray newAttrs() As Attribute) As Attribute()
If existing Is Nothing Then
Throw New ArgumentNullException("existing")
End If
If newAttrs Is Nothing Then
newAttrs = New Attribute(-1) {}
End If
Dim attributes() As Attribute
Dim newArray(existing.Count + newAttrs.Length) As Attribute
Dim actualCount As Integer = existing.Count
existing.CopyTo(newArray, 0)
Dim idx As Integer
For idx = 0 To newAttrs.Length
If newAttrs(idx) Is Nothing Then
Throw New ArgumentNullException("newAttrs")
End If
' Check if this attribute is already in the existing
' array. If it is, replace it.
Dim match As Boolean = False
Dim existingIdx As Integer
For existingIdx = 0 To existing.Count - 1
If newArray(existingIdx).TypeId.Equals(newAttrs(idx).TypeId) Then
match = True
newArray(existingIdx) = newAttrs(idx)
Exit For
End If
Next existingIdx
If Not match Then
actualCount += 1
newArray(actualCount) = newAttrs(idx)
End If
Next idx
' If some attributes were collapsed, create a new array.
If actualCount < newArray.Length Then
attributes = New Attribute(actualCount) {}
Array.Copy(newArray, 0, attributes, 0, actualCount)
Else
attributes = newArray
End If
Return attributes
End Function
End Class
В следующем примере кода показано, как использовать SerializeReadOnlyPropertyDescriptor
в пользовательском конструкторе.The following code examples show how to use the SerializeReadOnlyPropertyDescriptor
in a custom designer.
using System;
using System.Collections;
using System.ComponentModel;
using System.Text;
using System.Windows.Forms.Design;
namespace ReadOnlyPropertyDescriptorTest
{
class DemoControlDesigner : ControlDesigner
{
// The PostFilterProperties method replaces the control's
// Size property with a read-only Size property by using
// the SerializeReadOnlyPropertyDescriptor class.
protected override void PostFilterProperties(IDictionary properties)
{
if (properties.Contains("Size"))
{
PropertyDescriptor original = properties["Size"] as PropertyDescriptor;
SerializeReadOnlyPropertyDescriptor readOnlyDescriptor =
new SerializeReadOnlyPropertyDescriptor(original);
properties["Size"] = readOnlyDescriptor;
}
base.PostFilterProperties(properties);
}
}
}
Imports System.Collections
Imports System.ComponentModel
Imports System.Text
Imports System.Windows.Forms.Design
Class DemoControlDesigner
Inherits ControlDesigner
' The PostFilterProperties method replaces the control's
' Size property with a read-only Size property by using
' the SerializeReadOnlyPropertyDescriptor class.
Protected Overrides Sub PostFilterProperties(ByVal properties As IDictionary)
If properties.Contains("Size") Then
Dim original As PropertyDescriptor = properties("Size")
Dim readOnlyDescriptor As New SerializeReadOnlyPropertyDescriptor(original)
properties("Size") = readOnlyDescriptor
End If
MyBase.PostFilterProperties(properties)
End Sub
End Class
using System;
using System.ComponentModel;
using System.ComponentModel.Design;
using System.Text;
using System.Windows.Forms;
using System.Windows.Forms.Design;
namespace ReadOnlyPropertyDescriptorTest
{
[Designer(typeof(DemoControlDesigner))]
public class DemoControl : Control
{
public DemoControl()
{
}
}
}
Imports System.ComponentModel
Imports System.ComponentModel.Design
Imports System.Text
Imports System.Windows.Forms
Imports System.Windows.Forms.Design
<Designer(GetType(DemoControlDesigner))> _
Public Class DemoControl
Inherits Control
Public Sub New()
End Sub
End Class
Комментарии
Описание свойства состоит из имени, его атрибутов, класса компонента, с которым связано свойство, и типа свойства.A description of a property consists of a name, its attributes, the component class that the property is associated with, and the type of the property.
PropertyDescriptor предоставляет следующие свойства и методы.PropertyDescriptor provides the following properties and methods:
Converter содержит TypeConverter для этого свойства.Converter contains the TypeConverter for this property.
IsLocalizable Указывает, должно ли это свойство быть локализовано.IsLocalizable indicates whether this property should be localized.
GetEditor Возвращает редактор указанного типа.GetEditor returns an editor of the specified type.
PropertyDescriptor также предоставляет следующие abstract
Свойства и методы.PropertyDescriptor also provides the following abstract
properties and methods:
ComponentType содержит тип компонента, к которому привязано это свойство.ComponentType contains the type of component this property is bound to.
IsReadOnly Указывает, доступно ли это свойство только для чтения.IsReadOnly indicates whether this property is read-only.
PropertyType Возвращает тип свойства.PropertyType gets the type of the property.
CanResetValue Указывает, изменяет ли сброс компонента значение компонента.CanResetValue indicates whether resetting the component changes the value of the component.
GetValue Возвращает текущее значение свойства компонента.GetValue returns the current value of the property on a component.
ResetValue Сбрасывает значение этого свойства компонента.ResetValue resets the value for this property of the component.
SetValue Задает другое значение для компонента.SetValue sets the value of the component to a different value.
ShouldSerializeValue Указывает, нужно ли сохранять значение этого свойства.ShouldSerializeValue indicates whether the value of this property needs to be persisted.
Как правило, abstract
элементы реализуются через отражение.Typically, the abstract
members are implemented through reflection. Дополнительные сведения о отражении см. вразделах, посвященных отражению.For more information about reflection, see the topics in Reflection.
Конструкторы
PropertyDescriptor(MemberDescriptor) |
Инициализирует новый экземпляр класса PropertyDescriptor, используя имя и атрибуты заданного объекта MemberDescriptor.Initializes a new instance of the PropertyDescriptor class with the name and attributes in the specified MemberDescriptor. |
PropertyDescriptor(MemberDescriptor, Attribute[]) |
Инициализирует новый экземпляр класса PropertyDescriptor, используя имя в заданном дескрипторе MemberDescriptor и атрибуты как в дескрипторе MemberDescriptor, так и в массиве Attribute.Initializes a new instance of the PropertyDescriptor class with the name in the specified MemberDescriptor and the attributes in both the MemberDescriptor and the Attribute array. |
PropertyDescriptor(String, Attribute[]) |
Инициализирует новый экземпляр класса PropertyDescriptor, используя заданные имя и атрибуты.Initializes a new instance of the PropertyDescriptor class with the specified name and attributes. |
Свойства
AttributeArray |
Возвращает или задает массив атрибутов.Gets or sets an array of attributes. (Унаследовано от MemberDescriptor) |
Attributes |
Возвращает коллекцию атрибутов для этого члена.Gets the collection of attributes for this member. (Унаследовано от MemberDescriptor) |
Category |
Возвращает имя категории, к которой принадлежит член, как это указано в объекте CategoryAttribute.Gets the name of the category to which the member belongs, as specified in the CategoryAttribute. (Унаследовано от MemberDescriptor) |
ComponentType |
При переопределении в производном классе возвращает тип компонента, с которым связано это свойство.When overridden in a derived class, gets the type of the component this property is bound to. |
Converter |
Возвращает преобразователь типов для этого свойства.Gets the type converter for this property. |
Description |
Возвращает описание члена, как указано атрибутом DescriptionAttribute.Gets the description of the member, as specified in the DescriptionAttribute. (Унаследовано от MemberDescriptor) |
DesignTimeOnly |
Возвращает значение, показывающее, должен ли этот член устанавливаться только во время разработки, как указано атрибутом DesignOnlyAttribute.Gets whether this member should be set only at design time, as specified in the DesignOnlyAttribute. (Унаследовано от MemberDescriptor) |
DisplayName |
Возвращает имя, которое может быть отражено в окне, например в окне "Свойства".Gets the name that can be displayed in a window, such as a Properties window. (Унаследовано от MemberDescriptor) |
IsBrowsable |
Возвращает значение, указывающее, является ли член отображаемым в обозревателе, как определено в атрибуте BrowsableAttribute.Gets a value indicating whether the member is browsable, as specified in the BrowsableAttribute. (Унаследовано от MemberDescriptor) |
IsLocalizable |
Возвращает значение, показывающее, должно ли быть локализовано это свойство (в соответствии с атрибутом LocalizableAttribute).Gets a value indicating whether this property should be localized, as specified in the LocalizableAttribute. |
IsReadOnly |
При переопределении в производном классе возвращает значение, показывающее, доступно ли свойство только для чтения.When overridden in a derived class, gets a value indicating whether this property is read-only. |
Name |
Возвращает имя члена.Gets the name of the member. (Унаследовано от MemberDescriptor) |
NameHashCode |
Возвращает хэш-код для имени члена, как определено в методе GetHashCode().Gets the hash code for the name of the member, as specified in GetHashCode(). (Унаследовано от MemberDescriptor) |
PropertyType |
При переопределении в производном классе возвращает тип свойства.When overridden in a derived class, gets the type of the property. |
SerializationVisibility |
Возвращает значение, показывающее, должно ли это свойство быть сериализируемым (в соответствии с атрибутом DesignerSerializationVisibilityAttribute).Gets a value indicating whether this property should be serialized, as specified in the DesignerSerializationVisibilityAttribute. |
SupportsChangeEvents |
Возвращает значение, показывающее, могут ли уведомления об изменении значения инициироваться не из дескриптора свойств.Gets a value indicating whether value change notifications for this property may originate from outside the property descriptor. |
Методы
AddValueChanged(Object, EventHandler) |
Позволяет уведомить другие объекты об изменении этого свойства.Enables other objects to be notified when this property changes. |
CanResetValue(Object) |
При переопределении в производном классе возвращает значение, показывающее, изменяется ли значение объекта при его сбросе.When overridden in a derived class, returns whether resetting an object changes its value. |
CreateAttributeCollection() |
Создает коллекцию атрибутов, используя массив атрибутов, переданный в конструктор.Creates a collection of attributes using the array of attributes passed to the constructor. (Унаследовано от MemberDescriptor) |
CreateInstance(Type) |
Создает экземпляр заданного типа.Creates an instance of the specified type. |
Equals(Object) |
Сравнивает данный объект с другим, проверяя их эквивалентность.Compares this to another object to see if they are equivalent. |
FillAttributes(IList) |
Добавляет атрибуты дескриптора PropertyDescriptor в заданный список атрибутов родительского класса.Adds the attributes of the PropertyDescriptor to the specified list of attributes in the parent class. |
FillAttributes(IList) |
При переопределении в производном классе добавляет атрибуты наследуемого класса к указанному списку атрибутов в родительском классе.When overridden in a derived class, adds the attributes of the inheriting class to the specified list of attributes in the parent class. (Унаследовано от MemberDescriptor) |
GetChildProperties() |
По умолчанию возвращается значение PropertyDescriptorCollection.Returns the default PropertyDescriptorCollection. |
GetChildProperties(Attribute[]) |
Возвращает PropertyDescriptorCollection, используя заданный массив атрибутов как фильтр.Returns a PropertyDescriptorCollection using a specified array of attributes as a filter. |
GetChildProperties(Object) |
Возвращает PropertyDescriptorCollection для данного объекта.Returns a PropertyDescriptorCollection for a given object. |
GetChildProperties(Object, Attribute[]) |
Возвращает коллекцию PropertyDescriptorCollection для данного объекта, используя заданный массив атрибутов как фильтр.Returns a PropertyDescriptorCollection for a given object using a specified array of attributes as a filter. |
GetEditor(Type) |
Возвращает редактор заданного типа.Gets an editor of the specified type. |
GetHashCode() |
Возвращает хэш-код для этого объекта.Returns the hash code for this object. |
GetInvocationTarget(Type, Object) |
Этот метод возвращает объект, которой должен использоваться при вызове членов.This method returns the object that should be used during invocation of members. |
GetInvocationTarget(Type, Object) |
Возвращает объект, который должен использоваться при вызове членов.Retrieves the object that should be used during invocation of members. (Унаследовано от MemberDescriptor) |
GetType() |
Возвращает объект Type для текущего экземпляра.Gets the Type of the current instance. (Унаследовано от Object) |
GetTypeFromName(String) |
Возвращает тип, используя его имя.Returns a type using its name. |
GetValue(Object) |
В случае переопределения в производном классе, возвращает текущее значение свойства компонента.When overridden in a derived class, gets the current value of the property on a component. |
GetValueChangedHandler(Object) |
Возвращает текущий набор обработчиков событий |
MemberwiseClone() |
Создает неполную копию текущего объекта Object.Creates a shallow copy of the current Object. (Унаследовано от Object) |
OnValueChanged(Object, EventArgs) |
Вызывает реализованное вами событие |
RemoveValueChanged(Object, EventHandler) |
Позволяет уведомить другие объекты об изменении этого свойства.Enables other objects to be notified when this property changes. |
ResetValue(Object) |
В случае переопределения в производном классе, сбрасывает значение для этого свойства компонента в значение по умолчанию.When overridden in a derived class, resets the value for this property of the component to the default value. |
SetValue(Object, Object) |
При переопределении в производном классе устанавливает другое значение для компонента.When overridden in a derived class, sets the value of the component to a different value. |
ShouldSerializeValue(Object) |
При переопределении в производном классе определяет значение, показывающее, нужно ли сохранить данное значение свойства.When overridden in a derived class, determines a value indicating whether the value of this property needs to be persisted. |
ToString() |
Возвращает строку, представляющую текущий объект.Returns a string that represents the current object. (Унаследовано от Object) |