根据自定义属性排序

时间:2018-09-04 07:32:21

标签: c# linq data-annotations c#-7.0

请考虑以下代码:

public class MyClass
{
    [CustomAttributes.GridColumn(1)]
    public string Code { get; set; }

    [CustomAttributes.GridColumn(3)]
    public string Name { get; set; }

    [CustomAttributes.GridColumn(2)]
    public DateTime? ProductionDate { get; set; }

    public DateTime? ProductionExpiredDate { get; set; }

    [CustomAttributes.GridColumn(4)]
    public int ProductOwner { get; set; }
}

我想获取所有具有CustomAttributes.GridColumn的属性的字典,并按GridColumn属性中的数字和它们的类型对它们进行排序,如下所示:

PropertyName           Type
---------------------------------
Code                   string 
ProductionDate         DateTime?
Name                   string 
ProductOwner           int 

我该怎么做?

谢谢

1 个答案:

答案 0 :(得分:1)

类似的事情应该起作用:

private IDictionary<string, Type> GetProperties<T>()
{
    var type = typeof(T);
    return type.GetProperties(BindingFlags.Instance | BindingFlags.Public)
                .Select(p => new { Property = p, Attribute = p.GetCustomAttribute<CustomAttributes.GridColumnAttribute>() })
                .Where(p => p.Attribute != null)
                .OrderBy(p => p.Attribute.Index)
                .ToDictionary(p => p.Property.Name, p => p.Property.PropertyType);
}

它首先获取所有公共属性,创建一个包含该属性和属性的对象,过滤列表以仅包括该属性存在的属性,按属性索引排序,最后将其转换为字典。 / p>

我假设属性的定义与此类似:

public class GridColumnAttribute : System.Attribute
{
    public GridColumnAttribute(int index)
    {
        this.Index = index;
    }

    public int Index { get; set; }
}

P.S。 GetCustomAttribute<T>()System.Reflection.CustomAttributeExtensions中的扩展方法,因此请确保包含using System.Reflection;

Try it online