泛型和继承

时间:2011-04-18 01:15:10

标签: c# generics inheritance

这里有两个问题......

我有一组DataRow包装器(在VS2008中),它继承自基类(称为RecordBase)。它们都有一个名为TableName的字段。我想创建一个通用的枚举器,它是DataSet的扩展方法。特定的TableName将选择要枚举的DataSet中的哪个表。我想写

public static IEnumerable<T> GetRecords<T>(this DataSet MySet) where T : RecordBase
{
    foreach (DataRow row in MySet.Tables[T.TableName].Rows)
    {
        yield return new T(row);
    }
}

问题1:我找不到一种方法来拥有一个可重写的静态字段,迫使我创建一个包装器的虚拟实例来获取TableName。

问题2:不太严重,即使包装器(和基础)有一个接受DataRow的构造函数,编译器仍然坚持使用无参数构造函数约束。

所有这些都让我的代码看起来像

public static IEnumerable<T> GetRecords<T>(this DataSet MySet) where T : RecordBase, new()
{
    string TableName = (new T()).TableName;

    foreach (DataRow row in MySet.Tables[TableName].Rows)
    {
        T record = new T();
        record.RowData = row;
        yield return record;
    }
}

有什么想法吗?

1 个答案:

答案 0 :(得分:1)

您可以使用表名的自定义属性和Activator来实例化类型:

[Table("Customers")]
class Customer : RecordBase { }

//...
public static IEnumerable<T> GetRecords<T>(this DataSet MySet) where T : RecordBase
{
    var attribT = typeof(TableAttribute);
    var attrib  = (TableAttribute) typeof(T).GetCustomAttributes(attribT,false)[0];

    foreach (DataRow row in MySet.Tables[attrib.TableName].Rows)
    {
        yield return (T) Activator.CreateInstance(typeof(T),new[]{row});
    }
}