这个问题已经有了答案:
Why does a generic type constraint result in a no implicit reference conversion error?
5个答案
我正在尝试从一个接口继承两个不同的模型。这些模型应作为列表或集合传递给方法。现在我收到一条错误消息:
The type 'InheritanceTest.FooModel' cannot be used as type parameter 'T' in the generic type or method 'InheritanceTest.Service.DoSomethingWith<T>(System.Collections.Generic.IEnumerable<T>)'. There is no implicit reference conversion from 'InheritanceTest.FooModel' to 'InheritanceTest.IModel<InheritanceTest.IModelItem>'. C:\Work\InheritanceTest\InheritanceTest\Program.cs 14 13 InheritanceTest
有人能解释一下我做错了什么吗?:天
演示代码:
interface IModel<T> where T : IModelItem
{
string Name { get; set; }
IEnumerable<T> Items { get; set; }
}
interface IModelItem
{
string Name { get; set; }
}
class FooModel : IModel<FooModelItem>
{
public FooModel()
{
Items = new List<FooModelItem>();
}
public string Name { get; set; }
public IEnumerable<FooModelItem> Items { get; set; }
}
class FooModelItem : IModelItem
{
public string Name { get; set; }
}
class Program
{
static void Main(string[] args)
{
var fooLists = new List<FooModel>();
var barLists = new ObservableCollection<BarModel>();
var service = new Service();
service.DoSomethingWith(fooLists);
service.DoSomethingWith(barLists);
}
}
class Service
{
public void DoSomethingWith<T>(IEnumerable<T> list) where T : IModel<IModelItem>
{
foreach (var model in list)
{
Debug.WriteLine(model.Name);
foreach (var item in model.Items)
{
Debug.WriteLine(item.Name);
}
}
}
}
演示项目可以在github上找到:
https://github.com/SunboX/InheritanceTest/blob/master/InheritanceTest/Program.cs
最佳答案
作为不能这样做的一个例子,假设除了FooModel
和FooModelItem
,还有BarModelItem
。现在假设你这样做:
IModel<FooModelItem> fooModel = new FooModel();
IModel<IModelItem> iModel = fooModel;
iModel.Items = new List<BarModelItem>(new BarModelItem());
FooModelItem fooModelItem = fooModel.Items.First();
如果这是有效的代码,那么您就有麻烦了,因为您在最后一行得到的项目实际上不是一个
FooModelItem
而是一个BarModelItem
!如果你仔细阅读每一行,你会发现唯一可能的错误是第二行。这说明了为什么不能将
IModel<FooModelItem>
分配给IModel<IModelItem>
,即使FooModelItem : IModelItem
。无法执行该赋值正是方法调用失败的原因。您可以查看泛型协方差和反方差,以了解在某些情况下如何避免这种情况,尽管在不修改模型的情况下,它对您的特定情况没有帮助。