退货类型的差异
本文关键字:类型 | 更新日期: 2023-09-27 18:05:59
编辑:也许这是一个更清晰、更切中要害的问题表述:
在一些泛型接口IInterface<T>
中,我想返回一个泛型类型的对象,其中一个类型参数应该是IInterface<T>
的实现。
public class OtherType<T> {}
public interface IInterface<T>
{
OtherType<IInterface<T>> Operation();
}
public class Impl : IInterface<int>
{
public OtherType<IInterface<int>> Operation()
{
return new OtherType<Impl>();
}
}
由于Impl
实现了IInterface<int>
,所以我可以用这种方式来使用它似乎是合理的。然而,似乎我不能,我得到了编译错误
无法将表达式类型
OtherType<Impl>
转换为返回类型OtherType<IInterface<int>>
问题是OtherType<T>
是一个类,泛型类不允许C#中的协变/逆变。只要out
类型不出现在任何输入位置,并且in
类型不显示在任何输出位置,通用interfaces
就会出现。在您的代码示例中,您可以通过引入一个标记为协变的额外接口来编译它,然后更改返回类型。
public interface IOtherType<out T> {} // new
public class OtherType<T> : IOtherType<T> { }
public interface IInterface<T>
{
IOtherType<IInterface<T>> Operation(); // altered
}
public class Impl : IInterface<int>
{
public IOtherType<IInterface<int>> Operation()
{
return new OtherType<Impl>();
}
}
考虑到代码片段中的细节有限,这是否真的适合您的用例和其他方法定义,只有您才能知道。
OtherType<IInterface<int>>
并不意味着"实现",它有点意味着"是一个具有泛型类型参数Interface<int>
的类型OtherType
,但你不是这么说的。
如果您只想确保返回类型实现IInterface<int>
,那么将其设置为返回类型:
public interface IInterface<T>
{
IInterface<T> Operation();
}
public class Impl : IInterface<int>
{
public <IInterface<int>> Operation()
{
return new OtherType();
}
}
其中
public class OtherType : IInterface<int>
{}
这意味着您可以返回任何实现IInterface<int>
的类型。
否则,您可以在调用时使其更加受限,使用泛型类型约束:
public interface IInterface<T>
{
TRet Operation<TRet>() where TRet : IInterface<T>;
}
public class Impl : IInterface<int>
{
public TRet Operation<TRet>() where TRet : IInterface<int>
{
return new OtherType();
}
}
这意味着您可以约束操作以返回特定的类,而该类又必须实现IInterface<int>
。
它将被称为:
Impl i = new Impl();
OtherType x = i.Operation<OtherType>();