我想我会用一些例子来解释我的问题。
interface IModel {}
class MyModel : IModel {}
interface IRepo<T> where T: IModel {
}
class Repo : IRepo<MyModel> {
}
// Cannot implicitly convert.. An explicit convertion exists. Missing cast?
IRepo<IModel> repo = new Repo();
所以我需要协方差..
interface IRepo<out T> where T: IModel {
}
很好,可以用。然后我要使用它:
interface IRepo<out T> where T: IModel {
T ReturnSomething();
}
class Repo : IRepo<MyModel> {
public MyModel ReturnSomething() { return default(MyModel); }
}
一切都很好,但是仓库也需要插入对象。使用out参数,我们无法执行以下操作:
// Invalid variance: The type parameter 'T' must be contravariantly valid on 'IRepo<T>.InsertSomething(T)'. 'T' is covariant.
interface IRepo<out T> where T: IModel {
T ReturnSomething();
void InsertSomething(T thing);
}
class Repo : IRepo<MyModel> {
public MyModel ReturnSomething() { return default(MyModel); }
public void InsertSomething(MyModel thing) { }
}
因此,我尝试添加两个参数:
interface IRepo<out TReturn, TInsert>
where TReturn : IModel
where TInsert : IModel
{
TReturn ReturnSomething();
void InsertSomething(TInsert thing);
}
而且我得到的错误与第一个示例相同。使用
in TInsert
时出现相同的错误那么到底我该如何支持插入和提取呢?
编辑:因此,我找到了一种可能的解决方案,但这远非最佳方案
interface IRepo<out TResult> where TResult : IModel {
TResult ReturnSomething();
// I need to duplicate my constraint here..
void InsertSomething<TInsert>(TInsert thing) where TInsert : IModel;
}
class Repo : IRepo<MyModel> {
public MyModel ReturnSomething() { return default(MyModel); }
// ... And here
public void InsertSomething<T>(T thing) where T: IModel { }
}
EDIT2 :回应Eric:这是我要实现的目标的更完整示例。
我真的很想协方差,所以我可以对IRepo实例进行分组,但我仍然希望它们使用模型作为实例来具有添加/更新方法。我知道我不能在添加项目时获得编译时类型的安全性,但是对于此用例,我只需要阅读元素即可。
interface IModel { }
class SomeModel : IModel { }
class OtherModel : IModel { }
interface IRepo<T>
{
T ReturnSomething();
void AddSomething(T thing);
}
interface ISubRepo<T> : IRepo<T> where T : IModel { }
class SomeSubRepo : ISubRepo<SomeModel> {
public SomeModel ReturnSomething() { return default(SomeModel); }
public void AddSomething(SomeModel thing) { }
}
class OtherSubRepo : ISubRepo<OtherModel> {
public OtherModel ReturnSomething() { return default(OtherModel); }
public void AddSomething(OtherModel thing) { }
}
class Program {
static void Main(string[] args)
{
ISubRepo<IModel>[] everyone = new ISubRepo<IModel>[] {
new SomeSubRepo(),
new OtherSubRepo()
};
WorkOnAll(everyone);
}
static void WorkOnAll(IEnumerable<ISubRepo<IModel>> everyone)
{
foreach(ISubRepo<IModel> repo in everyone) {
IModel model = repo.ReturnSomething();
// Etc.
}
}
}
最佳答案
我认为最好的选择是将界面一分为二:
interface IReadableRepo<out T> where T : IModel
{
T ReturnSomething();
}
interface IWritableRepo<in T> where T : IModel
{
void InsertSomething(T thing);
}
class Repo : IReadableRepo<MyModel>, IWritableRepo<MyModel>
{
...
}
现在,您可以创建一个包含
List<IReadableRepo<IModel>>
实例的Repo
。