任何人都可以阐明为什么调用下面的“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>将只接受MyAlbumDoTest1方法。

08-07 19:05