泛型继承
本文关键字:继承 泛型 | 更新日期: 2023-09-27 17:58:02
关于我对.NET.某个领域的理解,我有几个问题
请考虑以下实物模型:
interface IListInterface<T>
{
//brevity
}
interface IClassInterface
{
int Count { get; }
}
class A<T> : IClassInterface
{
List<IListInterface<T>> MyList = new List<IListInterface<T>>();
public virtual int Count { get { return MyList.Count; } }
public void Add(IListInterface<T> item) { MyList.Add(item); }
public IEnumerable<String> GetAllAsString(T source) { return MyList.Select(o=>o.ToString()); }
}
class B<T1, T2> : A<T1>
{
List<IListInterface<T2>> MyList = new List<IListInterface<T2>>();
public override int Count { get { return base.Count + MyList.Count; } }
public void Add(IListInterface<T2> item) { MyList.Add(item); }
public IEnumerable<String> GetAllAsString(T1 source1, T2 source2)
{
return base.GetAllAsString(source1).Union(MyList.Select(o => o.ToString()));
}
}
class C<T1, T2, T3> : B<T1, T2>
{
List<IListInterface<T3>> MyList = new List<IListInterface<T3>>();
public override int Count { get { return base.Count + MyList.Count; } }
public void Add(IListInterface<T3> item) { MyList.Add(item); }
public IEnumerable<String> GetAllAsString(T1 source1, T2 source2, T3 source3)
{
return base.GetAllAsString(source1, source2).Union(MyList.Select(o => o.ToString()));
}
}
我的问题是:
用来描述B班和C班在做什么的术语是什么泛型类型重载继承?
在编写这样一个对象时,往往会有很多重复的代码,尤其是当添加更多的方法时,这些方法最终只是调用它的基,并将它自己的信息添加到返回中。有没有更好的方法来实现这一点,以获得更易于维护的类文件?
编辑以解决此方法的必要性
通过使用这种类型的继承,可以定义一个对象,该对象将约束数据输入的要求并解释其用法。
var x = new C<String, int, DateTime>();
现在您已经知道了组成对象的类型,如果您尝试调用x.GetAllAsString(0, "hello", "world");
,则会出现编译时错误
这种类型的物体可能不适合你,它的适用性也不是我问题的主题。我的问题是关于这个方法的名称以及在这种情况下的代码重用。
[为了简洁起见;为了我的回答,我将只关注"添加"方法,因为问题/解决方案适用于您的整个模型]
不幸的是,我认为您无法简化已经实现的内容。实际上,您的目标是在运行时将类型('C')约束为可用类型的集合,这(如果有效的话!)将为您提供Add/GetAllAsString方法的有限子集。
因此,在完成编译器之后,听起来您希望用一个类似;
public class Base<T>
{
Add(IListInterface<T> o);
}
转换为一个运行时对象,该对象公开了一个类似;
public class C
{
Add(IListInterface<string> o) { ... }
Add(IListInterface<DateTime> o) { ... }
Add(IListInterface<int> o) { ... }
}
但是,你不能真的那样使用泛型。真正做到这一点的唯一方法是以你现有的方式来对待它;具有派生类型的堆栈,每个派生类型向您的类型添加另一个受约束的方法。