创建和使用自定义列表 在C#(Creating and using a custom List

2019-09-02 10:55发布

我试图用一个自定义列表中我添加了一些额外的工具。 我想这个名单套用到我已创建自定义类的一个长长的清单。 所有的类都有一个ID号和一些在列表中使用的ID的工具。

下面是我想用我的代码的一部分。 我希望这有助于你理解我的问题。

namespace Simple_Point_of _Sales_System
{
    public class MyList<T> : List<T>
    {
        internal int SetID()
        {
            return this.Max(n => n.ID) + 1;
        }
        internal T Find(int ID)
        {
            return this.Find(n => n.ID == ID);
        }
        internal T Add(T n)
        {
            Read();
            Add(n);
            Write();
            return n;
        }
        internal void Remove(int ID)
        {
            Read();
            if (this.Exists(t => t.ID == ID)) RemoveAll(t => t.ID == ID);
            else MessageBox.Show(GetType().Name + " " + ID + " does not exist.", "Missing Item", MessageBoxButtons.OK, MessageBoxIcon.Error);
            Write();
        }
        internal void Edit(int ID, T n)
        {
            Read();
            if (this.Exists(t => t.ID == ID)) this[FindIndex(t => t.ID == ID)] = n;
            else MessageBox.Show(GetType().Name + " " + ID + " does not exist.", "Missing Item", MessageBoxButtons.OK, MessageBoxIcon.Error);
            Write();
        }
        internal MyList<T> Read()
        {
            Clear();
            StreamReader sr = new StreamReader(@"../../Files/" + GetType().Name + ".txt");
            while (!sr.EndOfStream)
                Add(new T().Set(sr.ReadLine()));
            sr.Close();
            return this;
        }
        internal void Write()
        {
            StreamWriter sw = new StreamWriter(@"../../Files/" + GetType().Name + ".txt");
            foreach (T n in this)
                sw.WriteLine(n.ToString());
            sw.Close();
        }
    }

    public class Customer
    {
        public int ID;
        public string FirstName;
        public string LastName;
    }

    public class Item
    {
        public int ID { get; set; }
        public string Category { get; set; }
        public string Name { get; set; }
        public double Price { get; set; }
    }

    public class MyClass
    {
        MyList<Customer> Customers = new MyList<Customer>();
        MyList<Item> Items = new MyList<Item>();
    }
}

Answer 1:

我想您的自定义列表需要把一些约束的泛型类型,以允许。 我会更新你的签名,以类似

public class MyList<T> : List<T> where T : IIdentity { .... }

在这里,我用IIdentity作为定义的接口ID ,但它也可能是一个类。

要更新您的代码,我会做这样的事情:

public interface IIdentity
{
    int ID { get; }
}

public class Customer : IIdentity
{
    public int ID { get; set;}
    public string FirstName;
    public string LastName;
}

public class Item : IIdentity
{
    public int ID { get; set; }
    public string Category { get; set; }
    public string Name { get; set; }
    public double Price { get; set; }
}

我换了ID Customer是一个属性,而不是实例变量。



文章来源: Creating and using a custom List in C#