我想要实现的是以下内容。
我有一个像
这样的界面
interface ISomething<T>
{
void Input(T item);
IEnumerable<T> Outputs();
}
和类似的层次结构
interface IFoo { }
interface IBar : IFoo { }
interface IBaz : IFoo { }
我希望能够引用 ISomething<IBaz>
和 ISomething<IBar>
通过 ISomething<IFoo>
这样我就可以编写像
这样的方法
void ProcessFoos(ISomething<IFoo> somethings)
{
foreach (var something in somethings)
{
var outputs = something.Outputs();
// do something with outputs
}
}
哪里somethings
可以是 ISomething<IBar>
的组合s 和 ISomething<IBaz>
秒。
考虑到语言限制,这是不可能的吗?
如果没有,我该如何重新设计它?
编辑:这是一个更好的例子来说明我在说什么
public class Program
{
public static void Main()
{
IBar<IX> x = new Bar<Y>() { };
// ^^^ Cannot implicitly convert type 'Bar<Y>' to 'IBar<IX>'. An explicit conversion exists (are you missing a cast?)
}
}
public interface IBar<T> where T : IX
{
void In(T item);
T Out { get; }
}
public class Bar<T> : IBar<T> where T : IX
{
public void In(T item) { }
public T Out { get { return default(T); } }
}
public interface IX { }
public class Y : IX { }
您将 something
视为 IEnumerable
,但事实并非如此。如果您想遍历输出,请像这样调用它。
void ProcessFoos(ISomething<IFoo> something)
{
foreach (var output in something.Outputs())
{
if(output is IBar)
{
// do something IBar related
}
else if(output is IBaz)
{
// do something IBaz related
}
}
}
如果 somethings
应该是 IEnumerable
,请像这样更改 ProcessFoos
的签名:
void ProcessFoos(IEnumerable<ISomething<IFoo>> somethings)
{
foreach (var something in somethings)
{
var outputs = something.Outputs();
var barOutputs = outputs.OfType<IBar>();
var bazOutputs = outputs.OfType<IBaz>();
// do something with outputs
}
}
这对我有用。
如果这对您不起作用,请提供您看到的错误和/或阐明您正在尝试但无法实现的目标。
我是一名优秀的程序员,十分优秀!