Equals method of System.Collections.Generic.List<T>…?

我们两清 提交于 2019-12-04 03:08:54

问题


I'm creating a class that derives from List...

public class MyList : List<MyListItem> {}

I've overridden Equals of MyListItem...

public override bool Equals(object obj)
{
    MyListItem li = obj as MyListItem;
    return (ID == li.ID);  // ID is a property of MyListItem
}

I would like to have an Equals method in the MyList object too which will compare each item in the list, calling Equals() on each MyListItem object.

It would be nice to simply call...

MyList l1 = new MyList() { new MyListItem(1), new MyListItem(2) };
MyList l2 = new MyList() { new MyListItem(1), new MyListItem(2) };

if (l1 == l2)
{
    ...
}

...and have the comparisons of the list done by value.

What's the best way...?


回答1:


You can use SequenceEqual linq method on the list since your list implements IEnumerable. This will verify all the elements are the same and in the same order. If the order may be different, you could sort the lists first.




回答2:


public class MyList<T> : List<T>
{
    public override bool Equals(object obj)
    {
        if (obj == null)
            return false;

        MyList<T> list = obj as MyList<T>;
        if (list == null)
            return false;

        if (list.Count != this.Count)
            return false;

        bool same = true;
        this.ForEach(thisItem =>
        {
            if (same)
            {
                same = (null != list.FirstOrDefault(item => item.Equals(thisItem)));
            }
        });

        return same;
    }
}


来源:https://stackoverflow.com/questions/2398751/equals-method-of-system-collections-generic-listt

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!