3

背景: 我有一个自定义类,它代表一个Data Base Table,每个属性对应一个表列。属性可以按三种方式分类。

示例:以 Person 对象为例。

  • MetaProperties:(程序所需的列)
    • Person_ID:在表中用于索引等...
    • UserDefinedType:(UDT),复杂类处理表上的写权限
    • 时间戳:需要在 C# DataTables 中处理 UDT
  • RealProperties:(描述真实人物的实际特征)
    • 全名
    • 出生日期
    • 出生地
    • 眼睛的颜色
    • 等等... (更多)
  • RawDataProperties:(这些列包含来自外部来源的原始数据)

    • Phys_EyeColor:直接从物理特征数据库导入的眼睛颜色,可能是未知格式,可能与其他数据库的条目有冲突的值,或任何其他数据质量问题......
    • HR_FullName:HR 文件中给出的全名
    • Web_FullName:取自 Web 表单的全名
    • Web_EyeColor:取自网络表单的眼睛颜色
    • ETC...

    公共类人{

    #region MetaProperties
    
    public int Person_ID { get; set; }
    public UserDefinedType UDT { get; set; }
    public DateTime timestamp { get; set; }
    
    #endregion
    
    
    #region RealProperties
    
    public string FullName { get; set; }
    public DateTime DateOfBirth { get; set; }
    public string PlaceOfBirth { get; set; }
    public Color EyeColor { get; set; }
    //...
    
    #endregion
    
    
    #region RawDataProperties
    
    public string Phys_EyeColor { get; set; }
    public string Phys_BodyHeight { get; set; }
    
    public string Web_FullName { get; set; }
    public string Web_EyeColor { get; set; }
    
    public string HR_FullName { get; set; }
    //...
    #endregion
    

    }

问题:如何以编程方式区分 Person 类中的这三种类型的属性?目标是能够使用System.Reflection或其他一些组织结构来迭代某种类型的属性。伪代码:

foreach(Property prop in Person.GetPropertiesOfType("RealProperty"){
... doSmth(prop);
}

我正在考虑编写自定义属性,并将它们挂在属性上,有点像 taggin。但是由于我对自定义属性一无所知,所以我想问一下我是否走在正确的道路上,或者是否有其他更好的方法可以做到这一点。

注意:显示的示例在程序设计方面可能不是最好的,我很清楚继承或拆分类可以解决这个问题。但这不是我的问题 -我想知道一个类中的属性是否可以标记或以某种方式区分使用自定义类别

4

1 回答 1

5

您可以使用自定义属性执行此操作。

    [AttributeUsage(AttributeTargets.Field | AttributeTargets.Property)]
    public class PropertyAttribute : System.Attribute
    {
       public PropertyType Type { get; private set; }
       public PropertyAttribute (PropertyType type) { Type = type; }
    }

    public enum PropertyType
    {
       Meta,
       Real,
       Raw,
    }

然后,您可以对每个属性或字段执行此操作:

[PropertyType(PropertyType.Meta)]
public int Person_ID;
[PropertyType(PropertyType.Real)]
public string FullName;
[PropertyType(PropertyType.Raw)]
public string Phys_EyeColor;

然后你可以用类似的东西访问它

foreach (PropertyAttribute attr in this.GetType().GetCustomAttributes(typeof(PropertyAttribute), false))
{
    // Do something based on attr.Type
}
于 2012-10-11T16:48:49.550 回答