我要实现的目标如下。

我有一个像

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>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 { }

最佳答案

您将somethings视为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
  }
}


这对我有用。

如果这对您不起作用,请提供您看到的错误,并/或弄清您正在尝试但无法实现的错误。

关于c# - 考虑到帧内/对比度/协方差,这是不可能的吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/54846187/

10-11 14:29