c# – 为什么我的泛型约束仍然需要转换?

任何人都可以解释为什么调用下面的’DoTest1’方法是一个问题?

至于为什么我需要将传入的GridCore对象仍然转换为泛型类型T,即使我指定T从GridCore派生我的T:GridCore?

谢谢

public partial class Form1 : Form
{
    private void button1_Click(object sender, EventArgs e)
    {
        MyTest<MyAlbum> mytest = new MyTest<MyAlbum>();
        mytest.DoTest1(new MyAlbum());
        mytest.DoTest2(new MyAlbum());
    }
}

public class GridCore { }

public class MyAlbum : GridCore
{
    public string Title { get; set; }
}

public class MyTest<T> where T : GridCore
{
    private List<T> _list = new List<T>();

    public void DoTest1(GridCore ma)
    {
        //_list.Add(ma);        <-- why doesn't this work?
        _list.Add((T)ma);
    }

    public void DoTest2(T ma)
    {
        _list.Add(ma);
    }

}

最佳答案 简而言之,因为不是所有的GridCore都是T的.所有T都是GridCores(由于约束),而不是相反.

想象一下:

public class MyChicken : GridCore
{
    public string FavouriteColour { get; set; }
}

....

new MyTest<MyAlbum>().DoTest1(new MyChicken());

如果您的代码被允许,那么当您期待专辑时,您现在就有了鸡.毋庸置疑,试图听音乐的人可能无法达到他们的期望.

您可能想要的是将DoTest1签名更改为仅接受该类处理的T:

public void DoTest1(T ma)

现在,MyTest< MyAlbum>只会接受MyAlbum的DoTest1方法.

点赞