C#中属性的自定义属性

时间:2016-02-10 12:22:11

标签: c# reflection custom-properties

我有一个具有两个属性的人类

public sealed class Person
{
[Description("This is the first name")]
public string FirstName { get; set; }
[Description("This is the last name")]
public string LastName { get; set; }
}

在我的控制台应用程序代码中,我想为每个实例的每个属性获取描述属性的值.....

类似于

Person myPerson = new Person();
myPerson.LastName.GetDescription() // method to retrieve the value of the attribute

可以执行此任务吗? 有人可以建议我一个方法吗? 最好的祝福 FAB

2 个答案:

答案 0 :(得分:3)

.LastName返回一个字符串,所以你不能从那里做很多事情。最终,您需要PropertyInfo。有两种方法可以实现:

  • 通过Expression(也许是SomeMethod<Person>(p => p.LastName)
  • 来自string(可能是通过nameof

例如,您可以执行以下操作:

var desc = Helper.GetDescription<Person>(nameof(Person.LastName));

var desc = Helper.GetDescription(typeof(Person), nameof(Person.LastName));

有类似的东西:

var attrib = (DescriptionAttribute)Attribute.GetCustomAttribute(
    type.GetProperty(propertyName), typeof(DescriptionAttribute));
return attrib?.Description;

答案 1 :(得分:0)

完全用这种语法是不可能的。可以使用表达式树...例如:

public static class DescripionExtractor 
{
    public static string GetDescription<TValue>(Expression<Func<TValue>> exp) 
    {
        var body = exp.Body as MemberExpression;

        if (body == null) 
        {
            throw new ArgumentException("exp");
        }

        var attrs = (DescriptionAttribute[])body.Member.GetCustomAttributes(typeof(DescriptionAttribute), true);

        if (attrs.Length == 0) 
        {
            return null;
        }

        return attrs[0].Description;
    }
}

然后:

Person person = null;
string desc = DescripionExtractor.GetDescription(() => person.FirstName);

请注意person的值无关紧要。它可以是null,一切都会正常运行,因为person并未真正访问。只有它的类型很重要。