6
public class BaseDto
{
    public int ID{ get; set; }
}
public class Client: BaseDto
{
     public string Surname { get; set; }
     public string FirstName{ get; set; }
     public string email{ get; set; }    
}

PropertyInfo[] props = typeof(Client).GetProperties();

这将按以下顺序列出属性:姓氏、名字、电子邮件、ID

希望属性按以下顺序显示:ID、姓氏、名字、电子邮件

4

4 回答 4

10

也许这个?

// this is alternative for typeof(T).GetProperties()
// that returns base class properties before inherited class properties
protected PropertyInfo[] GetBasePropertiesFirst(Type type)
{
    var orderList = new List<Type>();
    var iteratingType = type;
    do
    {
        orderList.Insert(0, iteratingType);
        iteratingType = iteratingType.BaseType;
    } while (iteratingType != null);

    var props = type.GetProperties()
        .OrderBy(x => orderList.IndexOf(x.DeclaringType))
        .ToArray();

    return props;
}
于 2013-11-15T07:50:59.990 回答
1

不确定是否有更快的方法来做到这一点,但首先,获取您继承的基本类型的类型。

    typeof(Client).BaseType

之后,您只能使用 bindingflags 获取基本属性。

    BindingFlags.DeclaredOnly

之后对客户端类型执行相同的操作,并附加结果。

于 2013-11-15T07:50:22.623 回答
1

我更喜欢基于 linq 的解决方案:

var baseProps = typeof(BaseDto).GetProperties();
var props = typeof(Client).GetProperties();

var allProps = baseProps
   .Concat(props.Where(p => baseProps
      .Select(b => b.Name)
      .Contains(p.Name) == false));
于 2013-11-15T08:07:10.237 回答
0

关于什么:

Dictionary<string, PropertyInfo> _PropertyIndex = new Dictionary<string, PropertyInfo>();

Type thisType = typeof(Client);

foreach (PropertyInfo pi in thisType.BaseType.GetProperties())
    _PropertyIndex.Add(pi.Name.ToUpper(), pi);
foreach (PropertyInfo pi in thisType.GetProperties())
    if( !_PropertyIndex.ContainsKey(pi.Name.ToUpper()))
        _PropertyIndex.Add(pi.Name.ToUpper(), pi);
于 2015-03-03T22:31:44.303 回答