1

我得到以下代码:

public class PluginShape : INotifyPropertyChanged
{
    private string _Name;
    public string Name
    {
        get { return _Name; }
        set
        {
            _Name = value;
            RaisePropertyChanged("Name");
        }
    }

    #region Implement INotifyPropertyChanged
    public event PropertyChangedEventHandler PropertyChanged;
    public void RaisePropertyChanged(string propertyName)
    {
        PropertyChangedEventHandler handler = PropertyChanged;
        if (handler != null)
            handler(this, new PropertyChangedEventArgs(propertyName));
    }
    #endregion
}

public class SpeedGenerator : PluginShape
{
    private int _SpeedValue;
    public int SpeedValue
    {
        get { return _SpeedValue; }
        set
        {
            _SpeedValue = value;
            RaisePropertyChanged("SpeedValue");
        }
    }

    public SpeedGenerator()
    {
        Name = "DefaultName";
    }
}

然后我想过滤属性,以便我只获得 SpeedValue 属性。我认为以下代码可以,但它不起作用:

var props = obj.GetType().GetProperties();
var filteredProps = obj.GetType().GetProperties(BindingFlags.DeclaredOnly);

在“道具”中,我得到了 SpeedValue 和 Name 属性,但在“filteredProps”中,我什么也没得到……有什么帮助吗?

4

3 回答 3

2

根据文件

您必须指定 BindingFlags.Instance 或 BindingFlags.Static 才能获得回报。

指定 BindingFlags.Public 以在搜索中包含公共属性。

因此,以下应该做你想要的:

var filteredProps = obj.GetType().GetProperties(BindingFlags.Instance | 
                                                BindingFlags.Public |
                                                BindingFlags.DeclaredOnly);
于 2011-11-22T13:38:33.853 回答
1

一旦你开始传递BindingFlags,你需要准确地指定你想要什么。

添加BindingFlags.Instance | BindingFlags.Public.

于 2011-11-22T13:38:27.283 回答
0

您可以为要使用的属性提供自定义属性并对其进行查询。我使用这种方式仅将某些属性显示为 ListView 属性。

 [AttributeUsage(AttributeTargets.Property)]
 public class ClassAttribute : Attribute
 {
   public String PropertyName;
   public String PropertyDescription;
 }
// Property declaration
[ClassAttribute(PropertyName = "Name", PropertyDescription = "Name")]
public String Name { get; private set; }

// Enumeration
  IEnumerable<PropertyInfo> PropertyInfos = t.GetProperties();
  foreach (PropertyInfo PropertyInfo in PropertyInfos)
  {
    if (PropertyInfo.GetCustomAttributes(true).Count() > 0)
    {
      PropertyInfo info = t.GetProperty(PropertyInfo.Name);
     }
   }
于 2011-11-22T13:49:32.930 回答