С#约束泛型不起作用又伤脑筋

С# constraint generic does not work and brain-breaking

我很困惑。我如何创建那个 class 的例子?此错误表示:类型 'type1' 不能用作泛型类型或方法 '' 中的类型参数 'T'。没有从 'type1' 到 'type2' 的隐式引用转换。但是我哪里做错了?

public interface IMyList<T>
{
    void Add(T a);
    T this[int index] { get; }
    int Count { get; }
    void Clear();
    bool Contains(T item);
}

public class Mylist<T> where T: IMyList<T>
{
    public T this[int index]
    {
        get { return this[index]; }
    }

    public List<T> array = null;

    public int Count()
    {
        int a = 0;
        foreach (var item in array)
        {
            a++;
        }
        return a;
    }

    public Mylist()
    {
        this.array = new List<T>(0);
        
    }

    public void Add(T a)
    {
        array.Add(a);
    }

    public void Clear()
    {
        throw new NotImplementedException();
    }

    public bool Contains(T item)
    {
        throw new NotImplementedException();
    }
}


class Program
{
    static void Main()
    {
        IMyList<int> list = new Mylist<IMyList<int>>() as IMyList<int>; //cs0311
        Mylist<IMyList<int>> mylist = new Mylist<IMyList<int>>(); //cs0311
        //a.Add(1);
        //Console.WriteLine(a.Count());
    }
}

public class Mylist<T> where T: IMyList<T>是错误的。您要做的是将类型 T 限制为 IMyList<T>。这样的递归类型约束是行不通的。您真正想要做的是实现接口IMyList<T>。您在这里根本不需要类型约束。正确的行是 public class MyList<T> : IMyList<T>.

您的代码还有一些其他问题;冒昧纠正一下:

using System;
using System.Collections.Generic;

namespace Example
{
    public interface IMyList<T>
    {
        void Add(T a);
        T this[int index] { get; }
        int Count { get; }
        void Clear();
        bool Contains(T item);
    }

    public class MyList<T> : IMyList<T>
    {
        public T this[int index]
        {
            get { return this[index]; }
        }

        public List<T> array = null;

        public int Count
        {
            get
            {
                int a = 0;
                foreach (var item in array)
                {
                    a++;
                }
                return a;
            }
        }

        public MyList()
        {
            this.array = new List<T>(0);

        }

        public void Add(T a)
        {
            array.Add(a);
        }

        public void Clear()
        {
            throw new NotImplementedException();
        }

        public bool Contains(T item)
        {
            throw new NotImplementedException();
        }
    }


    class Program
    {
        static void Main()
        {
            IMyList<int> list = new MyList<int>();
            list.Add(1);
            Console.WriteLine(list.Count);
        }
    }
}

我测试了这段代码,它编译时没有错误或警告。