从通用类转换为类型

时间:2015-01-29 10:08:52

标签: c# generics

我有一个通用类,如下所示:

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

   [Serializable]
   public class StationProp<T> : IStationProperty
   {
      public StationProp()
      {
      }

      public StationProp(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 IStationProperty.Value
      {
         get { return Value; }
      }

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

获取类型的属性是:

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

所以在我的代码中,我有一个循环从数据库中提取值(作为字符串),这里我想进行类型转换(在左侧),这样我就可以进行可靠的值比较。

我想要这样的事情:

var correctlyTypedVariable = (prop.ValueType) prop.Value; 

我知道这种事情必须成为可能。

2 个答案:

答案 0 :(得分:2)

你已经拥有

public T Value { get; set; }

返回键入的值。 如果在以下代码中,prop对象的类型为IStationProperty

var correctlyTypedVariable = (prop.ValueType) prop.Value; 

那么也许你的问题出在界面上:你最好使用通用的:

public interface IStationProperty
{
  int Id { get; set; }
  string Desc { get; set; } 
  Type ValueType { get; }
}

public interface IStationProperty<T> : IStationProperty
{ 
   T Value { get; } 
}

答案 1 :(得分:0)

使用IComparable:

public interface IStationProperty : IComparable<IStationProperty>
{
    int Id { get; set; }
    string Desc { get; set; }
    object Value { get; }
    Type ValueType { get; }
}

[Serializable]
public class StationProp<T> : IStationProperty where T : IComparable
{
    public StationProp()
    {
    }

    public StationProp(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 IStationProperty.Value
    {
        get { return Value; }
    }

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

    public int CompareTo(IStationProperty other)
    {
        if (other.ValueType == typeof(string))
        {
            return Value.CompareTo((string)other.Value);
        }
        else if (other.ValueType == typeof(int))
        {
            return Value.CompareTo((int)other.Value);
        }
        else if (other.ValueType == typeof(double))
        {
            return Value.CompareTo((double)other.Value);
        }
        throw new NotSupportedException();
    }
}