如何获取列表中泛型类的属性?

时间:2015-01-28 13:42:00

标签: c# generics

我有一个像这样的泛型类:

public class StationProperty<T> : StationProperty
   {
      public StationProperty()
      {

      }

      public StationProperty(int id, T val, string desc = "")
      {
         Id = id;
         Desc = desc; 
         Value = val; 
      }

      public int Id { get; set; }
      public string Desc { get; set; }
      public T Value { get; set; }
   }

注意继承,我稍后会解释,但抽象类看起来像这样:

 public interface StationProperty
   {

   }

你可以看到没有什么花哨的 - 没有明确的属性。

由于这种机制,我可以传递这些项目的列表:

var props = new List<StationProperty>();
props.Add(new StationProperty<bool>(39, true));
props.Add(new StationProperty<int>(41, 1));

到目前为止,这一切都很顺利,但现在我希望能够做到:

Foreach(var prop in props)
{
     //prop.Id
     //prop.Desc
     //and most importantly prop.Value.GetType or prop.GetType
}

相反,缺少这些属性:

enter image description here

如果我手动将属性添加到抽象类,那么我可以解决Id和Desc,但我很可能需要为Value添加一个对象类型,这将否定首先使用泛型的原因。

所以我的问题是,我想做什么?我哪里错了。

2 个答案:

答案 0 :(得分:3)

您在寻找下面的代码吗? 您始终可以获取类型,但只在使用界面时将值读作“对象”,泛型类还可以为您提供强类型值并允许您设置。您也可以允许通过接口设置Value,如果它不是正确的类型则抛出异常。

public class StationProperty<T> : StationProperty
{
    public StationProperty()
    {
    }

    public StationProperty(int id, T val, string desc = "")
    {
        Id = id;
        Desc = desc;
        Value = val;
    }

    public int Id { get; set; }
    public string Desc { get; set; }
    public T Value { get; set; }

    object StationProperty.Value
    {
        get { return Value; }
    }

    public Type ValueType
    {
        get { return typeof (T); }
    }
}

public interface StationProperty
{
    int Id { get; set; }
    string Desc { get; set; }
    object Value { get; }
    Type ValueType { get; }
}

答案 1 :(得分:0)

对于IdDesc属性,获取它们的最简单方法是将它们添加到界面中。

或者在您的示例中,使用(抽象)类而不是接口并将属性放在那里可能更好。 使用这种方法,您不必在泛型类中实现它们。

要在循环中获取Value属性,您需要使用反射:

var val = prop.GetType().GetProperty("Value").GetValue(prop);

这句话应该可以解决问题。

虽然@Steve Mitcham在评论中说,如果你描述原始问题,也许有更好的解决方案。