3

当它们都是通用的时,我在实现父/子接口时遇到问题。我能找到的最佳答案是不可能,但我也找不到其他人问完全相同的问题。我希望我只是不知道正确的语法来让编译器理解我想要做什么。这是我尝试实现的代码的精简示例。

public interface I_Group<T>
    where T : I_Segment<I_Complex>
{
    T Segment { get; set; }
}

public interface I_Segment<T>
    where T : I_Complex
{
    T Complex { get; set; }
}

public interface I_Complex
{
    string SomeString { get; set; }
}

public partial class Group : I_Group<Segment>
{   
    private Segment segmentField;

    public Group() {
        this.segmentField = new Segment();
    }

    public Segment Segment {
        get {
            return this.segmentField;
        }
        set {
            this.segmentField = value;
        }
    }
}

public partial class Segment : I_Segment<Complex> {

    private Complex complexField;

    public Segment() {
        this.complexField = new Complex();
    }

    public Complex Complex {
        get {
            return this.c_C001Field;
        }
        set {
            this.c_C001Field = value;
        }
    }
}

public partial class Complex : I_Complex {

    private string someStringField;

    public string SomeString {
        get {
            return this.someStringField;
        }
        set {
            this.someStringField = value;
        }
    }
}

所以在这里,Complex 是孙子,它实现了 I_Complex 没有错误。Segment 是它的父级,它实现 I_Segment 没有错误。问题在于试图实现 I_Group 的祖父母 Group。我得到错误

The type 'Segment' cannot be used as type parameter 'T' in the generic type or method 'I_Group<T>'. There is no implicit reference conversion from 'Segment' to 'I_Segment<I_Complex>'.

我被引导相信这是一个协方差问题,但我也被引导相信这是应该在 C# 4.0 中工作的东西。当孩子不是通用的时,这有效,这让我认为必须存在一些语法才能使其正确编译。难道我做错了什么?这甚至可能吗?如果没有,有人可以帮我理解为什么不吗?

4

2 回答 2

2

您可以将第二个泛型类型参数添加到I_Group接口声明中:

public interface I_Group<T, S>
    where T : I_Segment<S>
    where S : I_Complex
{
    T Segment { get; set; }
}

Group并在类声明中明确指定这两种类型:

public partial class Group : I_Group<Segment, Complex>

它将使您的代码编译。

于 2013-09-21T21:40:36.887 回答
0

好吧,为了让协变或逆变与接口一起工作,您使用“in”和“out”关键字。协方差使用 out 关键字,例如:

public interface A<out T>
{
    T Foo();
}

而逆变使用 in 关键字:

public interface B<in T>
{
    Bar( T t );
}

您的问题是您的 I_Segment 接口不是协变或逆变的,因此 I_Segment 与 I_Segment 不兼容,这就是您收到编译错误的原因。

于 2013-09-21T21:50:01.870 回答