如何通过名称访问类的属性?

时间:2014-04-03 15:10:06

标签: c# enums

我觉得很难用一句话来清楚地描述这个案子。这是一个例子:

public class Person
{
    public string FirstName { get; set; }
    public string MiddleName { get; set; }
    public string LastName { get; set; }
}

public enum PersonProperties
{
    FirstName = 1,
    MiddleName = 2,
    LastName = 3
}

我希望这样做:

foreach (var p in Persons) {
var nameCollection=new List<string>();
foreach (var s in (SectionsEnum[]) Enum.GetValues(typeof (SectionsEnum)))
{
    nameCollection.Add(p.GetPropertyByName(s);
}
}

现在,我们如何实施GetPropertyByName()部分?

2 个答案:

答案 0 :(得分:1)

这应该是一个很好的起点

using System;
using System.Collections.Generic;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            Person p = new Person() { FirstName ="a", MiddleName = "b", LastName = "c" };

            List<string> result = new List<string>();

            string[] enums = Enum.GetNames(typeof(PersonProperties));

            foreach(string e in enums)
            {
                result.Add(p.GetType().GetProperty(e).GetValue(p, null).ToString());
            }

            int i = 0;
            foreach (string e in enums)
            {
                Console.WriteLine(string.Format("{0} : {1}", e, result[i++]));
            }

            Console.ReadKey(false);
        }
    }

    public class Person
    {
        public string FirstName { get; set; }
        public string MiddleName { get; set; }
        public string LastName { get; set; }
    }

    public enum PersonProperties
    {
        FirstName = 1,
        MiddleName = 2,
        LastName = 3
    }
}

答案 1 :(得分:1)

您可以使用反射直接执行此操作:

public string GetPropertyByName(SectionsEnum s)
{
    var property = typeof(Person).GetProperty(s.ToString());
    return (string)property.GetValue(this);
}

或者可能使用switch

public string GetPropertyByName(SectionsEnum s)
{
    switch (s)
    {
        case SectionsEnum.FirstName:
            return this.FirstName;
        case SectionsEnum.MiddleName:
            return this.MiddleName;
        case SectionsEnum.LastName:
            return this.LastName;
        default:
            throw new Exception();
    }
}

但是我会问,如果采用完全不同的方法,你是否会得到更好的服务,例如:清单:

public IList<string> NameProperties
{
    get
    {
        return new[] { FirstName, MiddleName, LastName };
    }
}

或者不是SectionsEnum,而是使用Func s:

//was
SectionsEnum s = SectionsEnum.FirstName;
//instead
Func<Person, string> nameFunc = p => p.FirstName;
string name = nameFunc(myPerson);